rju*_*ser 3 sql-server arrays perl dbi
我正在尝试使用Perl和DBI模块从SQL Server数据库中读取数据.我的目的是读取数据并将其打印到文本文件(逗号分隔).当我这样做时,我得到如下结果:
var1,var2,var3
40406,20 ,783
50230,78 ,680
50230,78 ,680
50230,78 ,680
50230,78 ,680
Run Code Online (Sandbox Code Playgroud)
所以第二个变量数据和逗号之间有一个空格.我尝试使用下面的代码修剪它,但它没有用.我应该如何修改我的代码以摆脱那些空白?
我的代码在这里:
#!/bin/perl
use warnings;
use strict;
use DBI;
sub trim;
my $dbs = "dbi:ODBC:DRIVER={SQL Server};SERVER={xxxx}";
my ($username, $password) = ('un', 'pwd');
my $dbh = DBI->connect($dbs, $username, $password)
or die "Can't connect to $dbs: $DBI::errstr";
my $sth = $dbh->prepare("select var1, var2, var3 from db.dbo.table")
or die "Can't prepare statement: $DBI::errstr";
$sth->execute();
my $outfile = 'temp.txt';
open OUTFILE, '>', $outfile or die "Unable to open $outfile: $!";
print OUTFILE join(",", @{$sth->{NAME}}), "\n";
while (my @re = $sth->fetchrow_array) {
print OUTFILE join(",", trim(@re)), "\n";
}
close OUTFILE;
$sth->finish();
$dbh->disconnect();
############## subroutines ##################
sub trim($) {
my $string = shift;
$string =~ s/^\s+//;
$string =~ s/\s+$//;
return $string;
}
Run Code Online (Sandbox Code Playgroud)
trim()函数不会修改列表(也不处理列表).
因此,在实际的TIMTOWTDI方式中,您应该修改函数以返回一个新数组:
sub trimArray {
my @arr = @_;
my @rv;
for my $val (@arr) {
$val =~ s/^\s+//;
$val =~ s/\s+$//;
push @rv, $val;
}
return @rv;
}
#and then
print OUTFILE join(",", trimArray(@re)), "\n";
Run Code Online (Sandbox Code Playgroud)
或者传递对函数的引用,然后修改数组
sub trimInPlace {
my $arrRef = shift;
for my $val (@$arrRef) {
$val =~ s/^\s+//;
$val =~ s/\s+$//;
}
}
#and then
trimInPlace(\@re); #Note the \
print OUTFILE join(",", @re), "\n";
Run Code Online (Sandbox Code Playgroud)
或使用地图
#!/bin/perl
use warnings;
use strict;
use DBI;
#... the same
while (my @re = $sth->fetchrow_array) {
print OUTFILE join(",", map { trim($_); } @re), "\n"; #Applies
#trim() to each element
}
#...
############## subroutines ##################
sub trim { #Don't use prototypes
my $string = shift;
$string =~ s/^\s+//;
$string =~ s/\s+$//;
return $string;
}
Run Code Online (Sandbox Code Playgroud)
或尝试使用chomp,通过修改$ /,这将只删除一个尾随空格,仅此而已.
#!/bin/perl
use warnings;
use strict;
use DBI;
#... the same
my $old_sep = $/;
$/ = " ";
while (my @re = $sth->fetchrow_array) {
chomp(@re); #Modifies in place, returning number of changes
print OUTFILE join(",", @re), "\n";
}
$/ = $old_sep;
Run Code Online (Sandbox Code Playgroud)