What is the easiest way to get the ratio in PHP of multiple numbers?

I adapted this from an example that I found in "net ...

function ratio($a, $b) {
    $_a = $a;
    $_b = $b;

    while ($_b != 0) {

        $remainder = $_a % $_b;
        $_a = $_b;
        $_b = $remainder;   
    }

    $gcd = abs($_a);

    return ($a / $gcd)  . ':' . ($b / $gcd);

}

echo ratio(9, 3); // 3:1

Now I want him to use func_get_args()and return coefficients for several numbers. This seems like a recursive problem, and recursion causes me (especially when my solutions are endlessly looped)!

How can I change this to take as many parameters as I wanted?

thank

+3
source share
1 answer

1st, try this gcd function http://php.net/manual/en/function.gmp-gcd.php   Or you should define a gcd function like

    function gcd($a, $b) {
        $_a = abs($a);
        $_b = abs($b);

        while ($_b != 0) {

            $remainder = $_a % $_b;
            $_a = $_b;
            $_b = $remainder;   
        }
        return $a;
    }

Then change the relationship function

    function ratio()
    {
        $inputs = func_get_args();
        $c = func_num_args();
        if($c < 1)
            return ''; //empty input
        if($c == 1)
            return $inputs[0]; //only 1 input
        $gcd = gcd($input[0], $input[1]); //find gcd of inputs
        for($i = 2; $i < $c; $i++) 
            $gcd = gcd($gcd, $input[$i]);
        $var = $input[0] / $gcd; //init output
        for($i = 1; $i < $c; $i++)
            $var .= ':' . ($input[$i] / $gcd); //calc ratio
        return $var; 
    }
+5

Source: https://habr.com/ru/post/1758891/


All Articles