我需要知道怎么做
10.25并将其转为1025
基本上它需要删除任何数字的句号,例如 1500.25它应该是150025
答案 0 :(得分:5)
$number = str_replace('.','',$number);
答案 1 :(得分:2)
如果货币是浮点数:乘以100(并将结果转换为int
)。
$currency = 10.25;
$number = (int)($currency * 100); //1025
请注意,此解决方案只会保存前两位小数 - 如果您有10.123
这样的数字,3
将被简单地切断而不会舍入。
答案 2 :(得分:2)
浮点运算的定义并不精确。因此,如果它是一个字符串,则不值得将值转换为浮点值,并且如果它是浮点数,则避免将其转换为字符串。
这是一个注意检查值类型的函数:
function toCents($value) {
// Strings with a dot is specially handled
// so they won't be converted to float
if (is_string($value) && strpos($value, '.') !== false) {
list($integer, $decimals) = explode('.', $value);
$decimals = (int) substr($decimals . '00', 0, 2);
return ((int) $integer) * 100 + $decimals;
// float values are rounded to avoid errors when a value
// like ".10" is saved as ".099"
} elseif (is_float($value) {
return round($value * 100);
// Other values are strings or integers, which are cast
// to int and multiplied directly.
} else {
return ((int) $value) * 100;
}
}
答案 3 :(得分:0)
如果您只想替换一个字符,请使用strtr而不是str_replace
$number = str_replace('.','',$number);
和
$number = strtr($number, array('.', ''));
相同的输出,但strtr更好。