ceil

(PHP 4, PHP 5, PHP 7, PHP 8)

ceilArredonda frações para cima

Descrição

ceil(int|float $num): float

Retorna o próximo maior valor inteiro arredondando-se num para cima, se necessário.

Parâmetros

num

O valor a ser arredondado

Valor Retornado

num arredondado pra o próximo inteiro. O valor retornado de ceil() ainda será do tipo float porque a faixa de valores suportados por float é normalmente maior do que o do tipo int.

Registro de Alterações

Versão Descrição
8.0.0 num não mais aceita objetos internos que suportam conversão numérica.

Exemplos

Exemplo #1 Exemplo de ceil()

<?php
echo ceil(4.3); // 5
echo ceil(9.999); // 10
echo ceil(-3.14); // -3
?>

Veja Também

  • floor() - Arredonda frações para baixo
  • round() - Arredonda um float

adicione uma nota

Notas Enviadas por Usuários (em inglês) 5 notes

up
87
Scott Weaver / scottmweaver * gmail
16 years ago
I needed this and couldn't find it so I thought someone else wouldn't have to look through a bunch of Google results-<?php// duplicates m$ excel's ceiling functionif( !function_exists('ceiling') ){    function ceiling($number, $significance = 1)    {        return ( is_numeric($number) && is_numeric($significance) ) ? (ceil($number/$significance)*$significance) : false;    }}echo ceiling(0, 1000);     // 0echo ceiling(1, 1);        // 1000echo ceiling(1001, 1000);  // 2000echo ceiling(1.27, 0.05);  // 1.30?>
up
49
eep2004 at ukr dot net
7 years ago
Caution!<?php$value = 77.4;echo ceil($value * 100) / 100;         // 77.41 - WRONG!echo ceil(round($value * 100)) / 100;  // 77.4 - OK!
up
24
steve_phpnet // nanovox \\ com
20 years ago
I couldn't find any functions to do what ceiling does while still leaving I specified number of decimal places, so I wrote a couple functions myself.  round_up is like ceil but allows you to specify a number of decimal places.  round_out does the same, but rounds away from zero.<?php // round_up: // rounds up a float to a specified number of decimal places // (basically acts like ceil() but allows for decimal places) function round_up ($value, $places=0) {  if ($places < 0) { $places = 0; }  $mult = pow(10, $places);  return ceil($value * $mult) / $mult; } // round_out: // rounds a float away from zero to a specified number of decimal places function round_out ($value, $places=0) {  if ($places < 0) { $places = 0; }  $mult = pow(10, $places);  return ($value >= 0 ? ceil($value * $mult):floor($value * $mult)) / $mult; } echo round_up (56.77001, 2); // displays 56.78 echo round_up (-0.453001, 4); // displays -0.453 echo round_out (56.77001, 2); // displays 56.78 echo round_out (-0.453001, 4); // displays -0.4531?>
up
14
oktam
14 years ago
Actual behaviour:echo ceil(-0.1); //result "-0" but i expect "0"Workaround:echo ceil(-0.1)+0; //result "0"
up
8
frozenfire at php dot net
13 years ago
Please see http://www.php.net/manual/en/language.types.float.php for information regarding floating point precision issues.
To Top