2.1 检查变量是否包含一个合法数字
问题
希望确保变量包含一个数(即使变量的类型是字符串),或者希望检查变量不仅是一个数,而且要特别指定其类型是一个数字类型。
实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 <?php foreach ([5 ,'5' ,'05' ,12.3 ,'16.7' ,'five' ,oxDECAFBAD,'10e2000' ] as $maybeNumber) { $isItNumeric = is_numeric($maybeNumber); $actualType = gettype($maybeNumber); $string = "Is the $actualType $maybeNumber numeric?" ; if (is_numeric($maybeNumber)){ $answer = "yes" ; }else { $answer = "no" ; } echo pack("A40A3" ,$string,$answer)."\n" ; } ?>
2.2 比较浮点数
问题
希望检查两个浮点数是否相等
实现
1 2 3 4 5 6 7 8 <?php $delta = 0.00001 ; $a = 1.00000001 ; $b = 1.00000000 ; if (abs($a - $b) < $delta){ print "$a and $b are equal enough" ; }
2.3 浮点数舍入
问题
希望舍入一个浮点数,可能取整为一个整数,或者舍入为指定的小数位数
实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 <?php echo round(2.4 ) . "\n" ;echo round(2.5 ) . "\n" ;echo ceil(2.4 ) . "\n" ;echo floor(2.9 ) . "\n" ;echo round(2.5 ) . "\n" ;echo round(-2.5 ) . "\n" ;echo round(2.4 ) . "\n" ;echo round(-2.4 ) . "\n" ;echo ceil(2.5 ) . "\n" ;echo ceil(-2.5 ) . "\n" ;echo ceil(2.4 ) . "\n" ;echo ceil(-2.4 ) . "\n" ;echo floor(2.5 ) . "\n" ;echo floor(-2.5 ) . "\n" ;echo floor(2.4 ) . "\n" ;echo floor(-2.4 ) . "\n" ;
2.4 处理一系列整数
问题
希望对一个整数范围应用一段代码
实现
1 2 3 4 5 6 7 <?php foreach (range(0 , 100 , 5 ) as $number) { echo $number . "\n" ; printf("%d squared is %d\n" , $number, $number * $number); printf("%d cubed is %d\n" , $number, $number * $number * $number); }
2.5 在指定范围内生成随机数
问题
希望在指定的数字范围内生成一个随机数
实现
1 2 3 4 5 6 <?php $lower = 0 ; $upper = 1024 ; $randNumber = mt_rand($lower, $upper); echo $randNumber;
2.6 生成可预测的随机数
问题
希望生成可预测的随机数,从而可以保证可重复的行为
实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 <?php function pick_color () { $colors = ['red' , 'orange' , 'yellow' , 'blue' , 'green' , 'indigo' , 'violet' ]; $i = mt_rand(0 , count($colors) - 1 ); return $colors[$i]; } mt_srand(34534 ); $first = pick_color(); $second = pick_color(); print "$first is red and $second is yellow" ;
2.10 格式化数字
问题
希望输出一个数,要包括千分位分隔符和小数点。
实现
1 2 3 4 5 6 7 8 9 10 <?php $number = 1234.56 ; echo number_format($number) . "\n" ;echo number_format($number, 2 ) . "\n" ;echo number_format($number, 2 , "@" , '#' ) . "\n" ;
2.16 转换进制
问题
需要将一个数从一个进制转换为另一个进制
实现
1 2 3 4 5 6 7 8 9 10 11 12 <?php $hex = 'a1' ; $decimal = base_convert($hex, 16 , 10 ) . "\n" ; echo $decimal;$decimal = 1024 ; echo base_convert($decimal, 10 , 2 ) . "\n" ;echo base_convert($decimal, 10 , 8 ) . "\n" ;echo base_convert($decimal, 10 , 16 );