PHP remove commas from numeric strings

老子叫甜甜 提交于 2019-11-27 05:13:54

Not tested, but probably something like if(preg_match("/^[0-9,]+$/", $a)) $a = str_replace(...)

Do it the other way around:

$a = "1,435";
$b = str_replace( ',', '', $a );

if( is_numeric( $b ) ) {
    $a = $b;
}

The easiest would be:

$var = intval(preg_replace('/[^\d.]/', '', $var));

or if you need float:

$var = floatval(preg_replace('/[^\d.]/', '', $var));
 function cleanData($a) {

     if(is_numeric($a)) {

     $a = preg_replace('/[^0-9,]/s', '', $a);
     }

     return $a;

}
kaushi

Try this .this worked for me

number_format(1235.369,2,'.','')

if you use number_format like this number_format(1235.369,2) answer will be 1,235.37

but if you use like below

number_format(1235.369,2,'.','') answer will be 1235.37

it's removing the "," of "1,235.37"

If you want to remove commas from numbers inside a string that also contains words, the easiest way I think would be to use preg_replace_callback:

Example:  

$str = "Hey hello, I've got 12,500 kudos for you, spend it well"

function cleannr($matches)
{
    return str_replace("," , "" , $matches["nrs"]);
}

$str = preg_replace_callback ("/(?P<nrs>[0-9]+,[0-9]+)/" , "cleannr" , $str);


Output:

"Hey hello, I've got 12500 kudos for you, spend it well"


In this case the pattern (regex) differs from the one given in the accepted answer since we don't want to remove the other commas (punctuation).

If we'd use /[0-9,]+/ here instead of /[0-9]+,[0-9]+/ the output would be:

"Hey hello I've got 12500 kudos for you spend it well"

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!