Math 函数
在线手册:中文  英文

fmod

(PHP 4 >= 4.2.0, PHP 5)

fmod返回除法的浮点数余数

说明

float fmod ( float $x , float $y )

返回被除数(x)除以除数(y)所得的浮点数余数。余数(r)的定义是:x = i * y + r,其中 i 是整数。如果 y 是非零值,则 rx 的符号相同并且其数量值小于 y

参数

x

被除数

y

除数

返回值

x/y的浮点数余数。

范例

Example #1 fmod() 的使用

<?php
$x 
5.7;
$y 1.3;
$r fmod($x$y);
// $r equals 0.5, because 4 * 1.3 + 0.5 = 5.7
?>


Math 函数
在线手册:中文  英文

用户评论:

verdy_p (2012-12-12 02:38:48)

Note that fmod is NOT equivalent to this basic function:

<?php
 
function modulo($a$b) {
    return 
$a $b floor($a $b);
 }
?>

because fmod() will return a value with the same sign as $a. In other words the floor() function is not correct as it rounds towards -INF instead of towards zero.

To emulate fmod($a, $b) the correct way is:

<?php
 
function fmod($a$b) {
   return 
$a $b * (($b 0) ? ceil($a $b) : floor($a $b)));
 }
?>

Note that both functions will throw a DIVISION BY ZERO if $b is null.

The first function modulo() above is the mathematical function which is useful for working on cyclic structures (such as calender computions or trignonometric functions :

- fmod($a, 2*PI) returns a value in [0..2*PI) if $a is positive
- fmod($a, 2*PI) returns a value in [-2*PI..0] if $a is negative
- modulo($a, 2*PI) returns a value always in [0..2*PI) independantly of the sign of $a

Clifford dot ct at gmail dot com (2012-08-07 09:06:37)

The fmod() function is useful as the integer modulus operator (%) is limited in its range of precision.

Making the assumption that any operator has arbitrary precision is not portable.

I created a sample code here and ran it off a random virtual server.  Do note the output may vary according to your environment but it is sufficient to illustrate the possible gotchas.

<?php

$checksum 
crc32("The quick brown fox jumped over the lazy dog.");

$divisor 256;

$a sprintf("%u"$checksum);
echo 
"sprintf crc32 output a = $a, to divide by $divisor\n";

$r $a $divisor;
echo 
"% operator: r = $r \n";

$r intval(fmod($a$divisor));
echo 
"fmod function: r = $r \n";

$r bcmod($a$divisor);
echo 
"bcmod function: r = $r \n";

?>

Output:

sprintf crc32 output a = 2191738434, to divide by 256
% operator: r = 255
fmod function: r = 66
bcmod function: r = 66

Conclusion:

Integer arithmetic operators do not have the precision to work correctly in some applications.  In such situations, fmod() can be used in place of the modulus (%) operator.

dePijd (2010-02-10 06:37:25)

This class ran through several unit tests and fixes all failures found in bugs.php.net

<?php
abstract class MyNumber {
    public static function 
isZero($number$precision 0.0000000001)
    {
        
$precision abs($precision);
        return -
$precision < (float)$number && (float)$number $precision;
    }
    public static function 
isEqual($number1$number2)
    {
        return 
self::isZero($number1 $number2);
    }
    public static function 
fmod($number1$number2)
    {
        
$rest fmod($number1$number2);
        if (
self::isEqual($rest$number2)) {
            return 
0.0;
        }
        if (
mb_strpos($number1".") === false) {
            
$decimals1 0;
        } else {
            
$decimals1 mb_strlen($number1) - mb_strpos($number1".") - 1;
        }
        if (
mb_strpos($number2".") === false) {
            
$decimals2 0;
        } else {
            
$decimals2 mb_strlen($number2) - mb_strpos($number2".") - 1;
        }
        return (float)
round($restmax($decimals1$decimals2));
    }
}
?>

linkboss at gmail dot com (2009-10-18 05:49:25)

You can also use the modulo operator '%', which returns the same result :

<?php
$var1 
5;
$var2 2;

echo 
$var1 $var2//Returns 1
echo fmod($var1,$var2); //Returns the same
?>

matrebatre (2008-05-20 12:09:45)

I always use this:
function modulo($n,$b) {
return $n-$b*floor($n/$b);
}
And it appears to work correctly.

ysangkok at gmail dot com (2007-07-01 09:37:26)

Please note that this:
<?php
function custom_modulo($var1$var2) {
  
$tmp $var1/$var2;

  return (float) ( 
$var1 - ( ( (int) ($tmp) ) * $var2 ) );
}

$par1 1;
$par2 0.2;

echo 
"fmod:          ";
var_dump(fmod $par1 $par2 ));
echo 
"custom_modulo: ";
var_dump(custom_modulo $par1 $par2 ));
?>

gives this:

fmod:          float(0.2)
custom_modulo: float(0)

Fmod does not deliver the desired result, therefore I made my own.

cory at lavacube dot net (2005-12-08 22:13:10)

I don't believe that is correct.

Try this out using your patch:
<?php

echo durationmktime(000102006)-time() );

?>

As of right now, this will read:
1 month, 22 days, 24 hours, 49 minutes, 15 seconds

Which is completely incorrect. Seeing as how it is the 9th of December.

The real real flaw here is how the 'year' and 'month' periods are calculated. As most months vary in length...

Thank you very much SnakeEater251 for pointing this out.

The quickest way to get slightly more accurate results, is to use averages based on one "true" year, which is 365.25 days.

Change the year and month to:
      'year'       => 31557600, // one 'true year' (365.25 days)
      'month'    => 2629800, // one 'true year' divided by 12 :-)

I will work on developing a true fix, for pin-point accuracy. ;-)

 - Cory Christison

SnakeEater251 (2005-11-26 22:16:10)

Note on the code given by cory at lavacube dot net.
You will recieve better results by not using floor and using round instead. As you continue increasing to larger amounts of time you will notice that the outputted time is off by large amounts.

so instead of $temp = floor( $int_seconds / $length );
we would use  $temp = round( $int_seconds / $length );

<?php

function duration$int_seconds=0$if_reached=null )
{
   
$key_suffix 's';
   
$periods = array(
                   
'year'        => 31556926,
                   
'month'        => 2629743,
                   
'day'        => 86400,
                   
'hour'        => 3600,
                   
'minute'    => 60,
                   
'second'    => 1
                   
);

   
// used to hide 0's in higher periods
   
$flag_hide_zero true;

   
// do the loop thang
   
foreach( $periods as $key => $length )
   {
       
// calculate
       
$temp round$int_seconds $length );

       
// determine if temp qualifies to be passed to output
       
if( !$flag_hide_zero || $temp )
       {
           
// store in an array
           
$build[] = $temp.' '.$key.($temp!=1?'s':null);

           
// set flag to false, to allow 0's in lower periods
           
$flag_hide_zero false;
       }

       
// get the remainder of seconds
       
$int_seconds fmod($int_seconds$length);
   }

   
// return output, if !empty, implode into string, else output $if_reached
   
return ( !empty($build)?implode(', '$build):$if_reached );
}

?>

cory at lavacube dot net (2005-11-26 00:38:46)

A more formal way for generating duration strings:

<?php

function duration$int_seconds=0$if_reached=null )
{
    
$key_suffix 's';
    
$periods = array(
                    
'year'        => 31556926,
                    
'month'        => 2629743,
                    
'day'        => 86400,
                    
'hour'        => 3600,
                    
'minute'    => 60,
                    
'second'    => 1
                    
);

    
// used to hide 0's in higher periods
    
$flag_hide_zero true;

    
// do the loop thang
    
foreach( $periods as $key => $length )
    {
        
// calculate
        
$temp floor$int_seconds $length );

        
// determine if temp qualifies to be passed to output
        
if( !$flag_hide_zero || $temp )
        {
            
// store in an array
            
$build[] = $temp.' '.$key.($temp!=1?'s':null);

            
// set flag to false, to allow 0's in lower periods
            
$flag_hide_zero false;
        }

        
// get the remainder of seconds
        
$int_seconds fmod($int_seconds$length);
    }

    
// return output, if !empty, implode into string, else output $if_reached
    
return ( !empty($build)?implode(', '$build):$if_reached );
}

?>

Simple use:
<?php

    
echo durationmktime(00011date('Y')+1) - time(), 'Some fancy message to output if duration is already met...' );

?>

Enjoy. :-)

cory at simplesystems dot ca (2005-11-22 17:39:56)

Just a note on the previous note by Ryan Means:

Instead of using explode() to get the number before the decimal point, would be to use floor()... floor() rounds fractions down, which is exactly what is needed.

His same example using floor();

<?PHP
$totalsec
=XXXXXXX//Replace the X's with a int value of seconds

$daysarray floor$totalsec/86400 );

$partdays fmod($totalsec86400);
$hours floor$partdays/3600 );

$parthours fmod($partdays3600);
$min floor$parthours/60 );

$sec fmod($parthours60);

echo 
"days " $days "<br>";
echo 
"hours " $hours "<br>";
echo 
"minutes " $min "<br>";
echo 
"seconds " $sec "<br>";
?>

Ryan Means (2005-05-11 06:15:35)

If your given a number of seconds and you want to turn it into Days, hours, minutes, and seconds:
(this is very useful when using the Unix Time Epoch to find the difference from one time to the other)

For Example:
I posted in a bb at one date.. when I post a Unix Time Epoch was marked..
Then When I go back and view it again 2 weeks later I generate the Unix Time Epoch for the current time. 
Then take the current time - the posting time, this gives the number of seconds since the post.
Then use the below equations to get days, hours, minutes, and seconds since the post was made:

<?PHP
$totalsec
=XXXXXXX//Replace the X's with a int value of seconds

$daysarray explode(".", ($totalsec/86400));
$days $daysarray[0];

$partdays fmod($totalsec86400);
$hoursarray explode(".", ($partdays/3600));
$hours $hoursarray[0];

$parthours fmod($partdays3600);
$minarray explode(".", ($parthours/60));
$min $minarray[0];

$sec fmod($parthours60);

echo 
"days " $days "<br>";
echo 
"hours " $hours "<br>";
echo 
"minutes " $min "<br>";
echo 
"seconds " $sec "<br>";
?>

sam dot fullman at verizon (2005-02-24 07:29:58)

This function behaves wierd in negative regions. If you have something like an angle that goes through 360 degress of rotation and your angle goes negative, then fmod of -1 should be 359, right?
Here's a way to get that result, so that you get a phase shift vs. just a "negative fmod":
$h= -30; //same as 330 degrees
//handle negative
if($h<0){
while(true){
$fail++; if($fail>100)break; //in case loop gets tied up
$h+=360;
if($h>=0)break;
}
}
$h=fmod($h,360);
echo $h; //will say 330 degrees - we phase shifted up until positive.

rocan (2005-02-19 18:10:32)

john at digitizelife dot com:
Well not sure how your comment applys to fmod..
but their is a sure simpler way of coping with situations like this..
its called a bit field (bit masking)

e.g.
/* Categories */
bin dec cat
0001 - 1 - Blue
0010 - 2 - Red
0100 - 4 - Green
1000 - 8 - Yellow
/* Permissions */
0010 - 2 - Bob
0101 - 5 - John
1011 - 11 - Steve
1111- 15 - Mary
to find out the permissions for each user you simple need to do a bitwise AND
$steve_auth=11;
function get_perm($auth)
{
$cats["Blue"]=1;
$cats["Red"]=2;
$cats["Green"]=4;
$cats["Yellow"]=8;
$perms=array();
foreach($cats as $perm=>$catNum)
{
if($auth & $catNum)
$perms[$perm]=true;
}
return $perms;
}
print_r(get_perm($steve_auth));
/*
returns
Array
(
[Blue] => 1
[Red] => 1
[Yellow] => 1
)
*/
This is far simpler than your prime number idea, in fact you dont even need a function in any tests for the permmsions on a user you can do them directly using the bitwise and operator.
You may want to read the following
http://en.wikipedia.org/wiki/Bitmask
http://uk2.php.net/manual/en/language.operators.bitwise.php

john at digitizelife dot com (2005-01-24 16:09:02)

In the process of writing an authentication process for my software, I came across the need for a permissions function. Basically, I wanted to use prime numbers to indicate a specified permission 'group' or 'category'. For example, the categories could be asigned a prime number as follows;
/* Categories */
2 - Blue
3 - Red
5 - Green
7 - Yellow
Then, a permission level can be assigned to a user as follows;
/* Permissions */
3 - Bob
10 - John
42 - Steve
210 - Mary
Using the prime number assigned to the specified category, you can specify access to each category by multiplying the allowed categories together. For example, Bob only has access to Red, whereas Steve has access to Red, Blue and Yellow.
Only prime numbers work because the resulting permission number can only be devided evenly by 1, itself, and one of the prime numbers. So, a script can be written to look for the multiples of the permission number. Here is what I came up with;
function get_perm($auth) {
/* initialize variables */
$perm = array();
$count = 0;
for ($x = 1; $x <= $auth; $x++) {
$result = $auth / $x;
if (!ereg("[.]", $result)) { // is whole number
$n = 0;
for ($y = 1; $y <= $x; $y++) {
$result = $x / $y;
if (!ereg("[.]", $result)) { // is whole number
$n++;
}
}
if ($n == 2) {
$count++;
$perm[$count] = $x;
}
}
}
return($perm);
}
The function starts by looking for multiples of $auth (the given authorization number [42]). Then it checks to see if that multiple is prime. If it is, the script inserts the value into array $perm.
When called, the function will return the array of permissions for the given authorization number. For example;
$auth = 42;
$perm = get_perm($auth);
$perm will now contain the numbers; 2, 3, 7 since 2*3*7=42. The values can be parsed by using a simple loop.
/* count number of permisions */
$count = count($perm);
/* print permisions */
while ($count > 0) {
echo "$perm[$count]<br>";
$count--;
}
If there is a more simple way to acheive the previous results, please feel free to comment (and e-mail me). I orignally thought PHP was able to do this simply by mod($auth). However, I was wrong.

jphansen at uga dot edu (2005-01-10 11:44:49)

fmod() does not mirror a calculator's mod function. For example, fmod(.25, .05) will return .05 instead of 0 due to floor(). Using the aforementioned example, you may get 0 by replacing floor() with round() in a custom fmod().

<?
function fmod_round($x, $y) {
    $i = round($x / $y);
    return $x - $i * $y;
}

var_dump(fmod(.25, .05)); // float(0.05)
var_dump(fmod_round(.25, .05)); // float(0)
?>

konstantin at rekk dot de (2004-05-27 08:10:51)

If you need to reduce an integer to zero if zero and 1 if not, you can use
$sign = (integer)(boolean)$integer;
instead of
$sign = $integer > 0 ? 1 : 0;
it is faster from 100 operations on (at least on my machine).

alex at xelam dot net (2004-02-16 13:19:37)

Integer Modulo

If you want the remainder of the division of two Integers rather than Floats, use "%"; eg:

<?php
$a 
4;
$b 3;

print(
$a $b);
?>

Will output "1".

Jon (2003-05-09 13:25:52)

for those w/o fmod, here is q lil' add-on function you can use to replicate it:
function fmodAddOn($x,$y)
{
$i = floor($x/$y);
// r = x - i * y
return $x - $i*$y;
}

fjeanson at yahoo dot com (2003-03-09 20:16:20)

For those of you still using PHP 4.1.X and below.. fmod is not available. You can easily check if a variable a multiple of 2 by doing the following which is compatible with 4.1.X and below:
$var; //variable to check if multiple of 2 or not
$stype = gettype($var/2); //returns the type of the result.
if($stype == "integer"){
echo "$var is a multiple of two! Yay!";
} else {
echo "$var is NOT a multiple of two! Yay, I guess!";
}
since 3/2 = 1.5 its a float..
4/2 = 2 its an integer..
$stype will be equal to "double" if the variable is a float.. for historical reasons.
voila.

picaune at hotmail dot com (2003-03-09 15:57:47)

NAN (.net Equivalent = Double.NaN) means "Not-a-Number".
Some ways to get NaN are modulo 0, and square root of 0.

易百教程