Remove dollar sign function not working

194 Views Asked by At

I wrote a script to remove R$ from a string this way:

$money ="R$ 100,00";
$charactersToBeRemoved = array("R", "$", " ");
$changedValue = str_replace($charactersToBeRemoved, "", $money);

This script works fine on the main script, but if I create a function for it like:

    function removeDollar($x) {       
       $charactersToBeRemoved = array("R", "$", " "); 
       $changedValue = str_replace($charactersToBeRemoved, "", $x); 
       return $changedValue;    
    }    

   $money = "R$100,00";           
   $newValue = removeDollar($money);
   echo $newValue;

$newValue still shows R$100,00.

Notes:

This function was created on functions.php file where is already included by include function on the main script.

I really don't know what I am doing wrong.

1

There are 1 best solutions below

2
On

Works fine like this

    function removeDollar($x) {
       $charactersToBeRemoved = array("R", "$", " ");
       $removeTo = array("","","");
       $changedValue = str_replace($charactersToBeRemoved, $removeTo, $x);
       return $changedValue;
    }

   $money = "R$100,00";
   $newValue = removeDollar($money);
   echo $newValue;
   // output 100,00

You can check the above code in this PHP Sandbox example

and works fine like this (in your example)

    function removeDollar($x) {
       $charactersToBeRemoved = array("R", "$", " ");
       $changedValue = str_replace($charactersToBeRemoved, "", $x);
       return $changedValue;
    }

   $money = "R$100,00";
   $newValue = removeDollar($money);
   echo $newValue;
   // output 100,00

You can check the above code in this PHP Sandbox example

and in case you need to check all string characters

    function removeDollar($x) {
    $charArray = str_split($x);
    $returnArray = array();
    foreach($charArray as $char){
     if($char!=="R" && $char!=="$" && $char!==" ") {
        array_push($returnArray,$char);
     }
    }
    $money = implode("",$returnArray);
    return  $money;
    }

   $money = "R$100,00";
   $newValue = removeDollar($money);
   echo $newValue;

You can check the above code in this PHP Sandbox example