Estou trabalhando em um formulário PHP que anexa um arquivo a um e-mail e estou tentando lidar com casos em que o arquivo carregado é muito grande.
Aprendi que existem duas configurações php.ini
que afetam o tamanho máximo de um upload de arquivo: upload_max_filesize
e post_max_size
.
Se o tamanho de um arquivo exceder upload_max_filesize
, o PHP retorna o tamanho do arquivo como 0. Tudo bem; Eu posso verificar isso.
Mas se exceder post_max_size
, meu script falha silenciosamente e volta para o formulário em branco.
Existe alguma maneira de detectar esse erro?
Respostas:
Da documentação :
Então, infelizmente, não parece que o PHP enviou um erro. E como ele envia um array $ _POST vazio, é por isso que seu script está voltando para a forma em branco - ele não pensa que é um POST. (Uma decisão de design bastante pobre, IMHO)
Este comentador também tem uma ideia interessante.
fonte
existe uma maneira de capturar / manipular arquivos que excedam o tamanho máximo de postagem, esta é a minha preferida, pois informa ao usuário final o que aconteceu e quem é o culpado;)
if (empty($_FILES) && empty($_POST) && isset($_SERVER['REQUEST_METHOD']) && strtolower($_SERVER['REQUEST_METHOD']) == 'post') { //catch file overload error... $postMax = ini_get('post_max_size'); //grab the size limits... echo "<p style=\"color: #F00;\">\nPlease note files larger than {$postMax} will result in this error!<br>Please be advised this is not a limitation in the CMS, This is a limitation of the hosting server.<br>For various reasons they limit the max size of uploaded files, if you have access to the php ini file you can fix this by changing the post_max_size setting.<br> If you can't then please ask your host to increase the size limits, or use the FTP uploaded form</p>"; // echo out error and solutions... addForm(); //bounce back to the just filled out form. } else { // continue on with processing of the page... }
fonte
$_SERVER['CONTENT_LENGTH']
eupload_max_filesize
em conta.Temos o problema para solicitações SOAP em que uma verificação de vazio de $ _POST e $ _FILES não funciona, porque eles também estão vazios em solicitações válidas.
Portanto, implementamos uma verificação, comparando CONTENT_LENGTH e post_max_size. A exceção lançada é posteriormente transformada em XML-SOAP-FAULT por nosso manipulador de exceção registrado.
private function checkPostSizeExceeded() { $maxPostSize = $this->iniGetBytes('post_max_size'); if ($_SERVER['CONTENT_LENGTH'] > $maxPostSize) { throw new Exception( sprintf('Max post size exceeded! Got %s bytes, but limit is %s bytes.', $_SERVER['CONTENT_LENGTH'], $maxPostSize ) ); } } private function iniGetBytes($val) { $val = trim(ini_get($val)); if ($val != '') { $last = strtolower( $val{strlen($val) - 1} ); } else { $last = ''; } switch ($last) { // The 'G' modifier is available since PHP 5.1.0 case 'g': $val *= 1024; // fall through case 'm': $val *= 1024; // fall through case 'k': $val *= 1024; // fall through } return $val; }
fonte
Com base nas respostas de @Matt McCormick e @ AbdullahAJM, aqui está um caso de teste de PHP que verifica se as variáveis usadas no teste estão definidas e, em seguida, verifica se $ _SERVER ['CONTENT_LENGTH'] excede a configuração de php_max_filesize:
if ( isset( $_SERVER['REQUEST_METHOD'] ) && ($_SERVER['REQUEST_METHOD'] === 'POST' ) && isset( $_SERVER['CONTENT_LENGTH'] ) && ( empty( $_POST ) ) ) { $max_post_size = ini_get('post_max_size'); $content_length = $_SERVER['CONTENT_LENGTH'] / 1024 / 1024; if ($content_length > $max_post_size ) { print "<div class='updated fade'>" . sprintf( __('It appears you tried to upload %d MiB of data but the PHP post_max_size is %d MiB.', 'csa-slplus'), $content_length, $max_post_size ) . '<br/>' . __( 'Try increasing the post_max_size setting in your php.ini file.' , 'csa-slplus' ) . '</div>'; } }
fonte
Essa é uma maneira simples de resolver esse problema:
Basta chamar "checkPostSizeExceeded" no início de seu código
function checkPostSizeExceeded() { if (isset($_SERVER['REQUEST_METHOD']) and $_SERVER['REQUEST_METHOD'] == 'POST' and isset($_SERVER['CONTENT_LENGTH']) and empty($_POST)//if is a post request and $_POST variable is empty(a symptom of "post max size error") ) { $max = get_ini_bytes('post_max_size');//get the limit of post size $send = $_SERVER['CONTENT_LENGTH'];//get the sent post size if($max < $_SERVER['CONTENT_LENGTH'])//compare throw new Exception( 'Max size exceeded! Were sent ' . number_format($send/(1024*1024), 2) . 'MB, but ' . number_format($max/(1024*1024), 2) . 'MB is the application limit.' ); } }
Lembre-se de copiar esta função auxiliar:
function get_ini_bytes($attr){ $attr_value = trim(ini_get($attr)); if ($attr_value != '') { $type_byte = strtolower( $attr_value{strlen($attr_value) - 1} ); } else return $attr_value; switch ($type_byte) { case 'g': $attr_value *= 1024*1024*1024; break; case 'm': $attr_value *= 1024*1024; break; case 'k': $attr_value *= 1024; break; } return $attr_value; }
fonte