Perl中是否有一种简单的方法可以让我确定给定变量是否为数字?类似于以下内容:
if (is_number($x))
{ ... }
将是理想的。-w
使用开关时不会发出警告的技术无疑是首选。
Answers:
使用Scalar::Util::looks_like_number()
内部Perl C API的looks_like_number()函数的Use,这可能是最有效的方法。请注意,字符串“ inf”和“ infinity”被视为数字。
#!/usr/bin/perl
use warnings;
use strict;
use Scalar::Util qw(looks_like_number);
my @exprs = qw(1 5.25 0.001 1.3e8 foo bar 1dd inf infinity);
foreach my $expr (@exprs) {
print "$expr is", looks_like_number($expr) ? '' : ' not', " a number\n";
}
给出以下输出:
1 is a number
5.25 is a number
0.001 is a number
1.3e8 is a number
foo is not a number
bar is not a number
1dd is not a number
inf is a number
infinity is a number
looks_like_number
0x12
都没有通过这个测试考虑的数字。
签出CPAN模块Regexp :: Common。我认为它完全可以满足您的需求并处理所有极端情况(例如,实数,科学计数法等)。例如
use Regexp::Common;
if ($var =~ /$RE{num}{real}/) { print q{a number}; }
最初的问题是如何判断变量是否为数字,而不是“是否具有数字值”。
有一些运算符对数字和字符串操作数具有不同的操作模式,其中“数字”表示最初是数字或曾经在数字上下文中使用的任何内容(例如$x = "123"; 0+$x
,在中,加号之前$x
是字符串,其后是字符串)被视为数字)。
一种说法是:
if ( length( do { no warnings "numeric"; $x & "" } ) ) {
print "$x is numeric\n";
}
如果启用了按位功能,则该功能仅使&
一个数字运算符并添加一个单独的字符串&.
运算符,您必须将其禁用:
if ( length( do { no if $] >= 5.022, "feature", "bitwise"; no warnings "numeric"; $x & "" } ) ) {
print "$x is numeric\n";
}
(按位在perl 5.022和更高版本中可用,如果您use 5.028;
或更高版本,则默认情况下启用。)
sub numeric { $obj = shift; no warnings "numeric"; return eval('length($obj & "")'); }
my $obj = shift;
。为什么要评估?
my $obj = shift
,当然,只是没有正确地将其从代码转移到注释中,我对其进行了一些编辑。但是,sub numeric { my $obj = shift; no warnings "numeric"; return length($obj & ""); }
会产生相同的错误。当然,拥有一个秘密的全局变量可以解释这种行为,这正是我在这种情况下所期望的,但是不幸的是,这并不是那么简单。另外,这将被strict
&捕获warnings
。我尝试了一次评估,试图消除错误,并且成功了。没有更深入的推理,只是反复试验。
sub numeric { my $obj = shift; no warnings "numeric"; return length($obj & ""); }
print numeric("w") . "\n"; #=>0
,print numeric("x") . "\n"; #=>0
,print numeric("1") . "\n"; #=>0
,print numeric(3) . "\n"; #=>1
,print numeric("w") . "\n"; #=>1
。如果在长度附近放置一个eval(''),则最后一次打印将给出0,就像应该的那样。去搞清楚。
我不相信有什么内置功能可以做到。有关此主题的更多信息,请参阅检测数字中的Perlmonks。
可以在Regexp :: Common中找到更强大的regex 。
听起来您想知道Perl是否认为变量是数字的。这是一个捕获警告的函数:
sub is_number{
my $n = shift;
my $ret = 1;
$SIG{"__WARN__"} = sub {$ret = 0};
eval { my $x = $n + 1 };
return $ret
}
另一个选择是在本地关闭警告:
{
no warnings "numeric"; # Ignore "isn't numeric" warning
... # Use a variable that might not be numeric
}
请注意,非数字变量将被静默转换为0,这可能仍然是您想要的。
我发现这很有趣
if ( $value + 0 eq $value) {
# A number
push @args, $value;
} else {
# A string
push @args, "'$value'";
}
我个人认为,要走的路是依靠Perl的内部环境使解决方案变得防弹。一个好的正则表达式可以匹配所有有效的数字值,而不匹配任何非数字的数字值(反之亦然),但是由于有一种使用解释器使用的相同逻辑的方法,因此直接依赖该表达式应该更安全。
由于我倾向于使用来运行脚本-w
,因此我不得不将no warnings
基于“ yyth ”的结果与原始值进行比较的思想与@ysth的基本方法结合起来:
do {
no warnings "numeric";
if ($x + 0 ne $x) { return "not numeric"; } else { return "numeric"; }
}
您可以使用正则表达式来确定$ foo是否为数字。
在这里看看: 如何确定标量是否为数字
perldoc perlapi
告诉我们:测试SV的内容是否看起来像数字(或是数字)。“ Inf”和“ Infinity”被视为数字(因此不会发出非数字警告),即使您的atof()不会使用它们也是如此。几乎没有一个可测试的规范...