我正在尝试检查php是否为双字符串。
这是我的代码:
if(floatval($num)){
$this->print_half_star();
}
$ num是一个字符串..问题是,即使有一个int,它也给出了true。有没有办法检查它是否是浮点而不是int!?
答案 0 :(得分:17)
// Try to convert the string to a float
$floatVal = floatval($num);
// If the parsing succeeded and the value is not equivalent to an int
if($floatVal && intval($floatVal) != $floatVal)
{
// $num is a float
}
答案 1 :(得分:8)
这将省略表示为字符串的整数值:
if(is_numeric($num) && strpos($num, ".") !== false)
{
$this->print_half_star();
}
答案 2 :(得分:5)
你可以试试这个:
function isfloat($num) {
return is_float($num) || is_numeric($num) && ((float) $num != (int) $num);
}
var_dump(isfloat(10)); // bool(false)
var_dump(isfloat(10.5)); // bool(true)
var_dump(isfloat("10")); // bool(false)
var_dump(isfloat("10.5")); // bool(true)
答案 3 :(得分:0)
为什么不使用正则表达式的魔力
<?php
$p = '/^[0-9]*\.[0-9]+$/';
$v = '89.00';
var_dump(preg_match($p, $v));
$v = '.01';
var_dump(preg_match($p, $v));
$v = '0.01';
var_dump(preg_match($p, $v));
$v = '89';
var_dump(preg_match($p, $v));
答案 4 :(得分:0)
if“double string format”,如“XXXXXX.XXXXXX”
尝试检查
function check_double_string($str){
$pairs = explode('.',$str);
if ( is_array($pairs) && count($pairs)==2) {
return ( is_numeric($pairs[0]) && is_numeric($pairs[1])? true : false;
}
return false;
}
答案 5 :(得分:0)
为了获得浮动的所有情况,我们必须在floatval()
或类型转换(float)$num
的基础上添加任何零值。
$num='17.000010';
$num_float = (float)$num; //$num_float is now 17.00001
//add the zero's back to $num_float
while (strlen ($num) > strlen ($num_float)) $num_float = $num_float . '0'; //$spot_float in now a string again
if($num_float != $num) then $num was no double :;
注意!==
仅在$num_float
从未通过添加零转换回字符串的情况下使用。对于没有以0结尾的值,情况就是如此。
答案 6 :(得分:0)
您可以只检查值是否为数字,然后检查小数点,所以...
if(is_numeric($val) && stripos($val,'.') !== false)
{
//definitely a float
}
尽管它不能很好地处理科学计数法,所以您可能必须通过寻找e
答案 7 :(得分:0)
这是我最终为现代PHP创建的内容:
/**
* Determines if a variable appears to be a float or not.
*
* @param string|int|double $number
* @return bool True if it appears to be an integer value. "75.0000" returns false.
* @throws InvalidArgumentException if $number is not a valid number.
*/
function isFloatLike($number): bool
{
// Bail if it isn't even a number.
if (!is_numeric($number)) {
throw new InvalidArgumentException("'$number' is not a valid number.");
}
// Try to convert the variable to a float.
$floatVal = floatval($number);
// If the parsing succeeded and the value is not equivalent to an int,
return ($floatVal && intval($floatVal) != $floatVal);
}