-1

我正在从用户上传表单调整图像的大小,并且我已将$_FILES数组的内容传递给我的调整大小函数。该函数使用 GD 调整图像大小并将其保存在所需的目录中。

我需要制作图像的两个副本:一个大副本和一个用于缩略图的小副本。当我尝试第二次调用该函数(但尺寸不同)来制作缩略图时,就会出现问题。我收到数组的unidentified index数组消息$_FILES

$_FILES数组传递给函数后是否会自动删除数组,尽管我没有使用函数清除它?

FUNCION CALL如下

   if ($_FILES['image']['error'] != 4){
foto($_FILES['image'], $THUMBS_DIR, 400, 400, 1);
foto($_FILES['image'], $THUMBS_DIR, 70, 70, 1);
}

功能

    /*foto function, foto upload, where to save, fotowidth, fotosize,*/
function foto($_FILES, $THUMBS_DIR, $MAX_WIDTH, $MAX_HEIGHT){

/*generate random name*/
$fecha = time();$passpart1 = $fecha;$passpart2 = mt_rand(1, 1000);$ps = $passpart1.$passpart2;$ps2= $passpart1.$passpart2.'thumb';$thumbref='0';    
if (is_uploaded_file($_FILES['tmp_name']))

{
/*resize ratio*/
$original = $_FILES['tmp_name'];
list($width, $height, $type) = getimagesize($original);
if ($width <= $MAX_WIDTH && $height <= $MAX_HEIGHT) {$ratio = 1;}
elseif ($width > $height) {$ratio = $MAX_WIDTH/$width;}
else {$ratio = $MAX_HEIGHT/$height;}

$imagetypes = array('/\.gif$/','/\.jpg$/','/\.jpeg$/','/\.png$/');
$name = preg_replace($imagetypes, '', basename($original));

$name=$ps;switch($type) 
{case 1:$source = @ imagecreatefromgif($original);if (!$source) {$result = 'Cannot process GIF files. Please use JPEG or PNG.';}break;
 case 2:$source = imagecreatefromjpeg($original);break;
 case 3:$source = imagecreatefrompng($original);break;
 default:$source = NULL;$result = 'Cannot identify file type.';}

 if (!$source) {$result = 'Problem copying original';}

 else {
 $thumb_width = round($width * $ratio);
 $thumb_height = round($height * $ratio);
 $thumb = imagecreatetruecolor($thumb_width, $thumb_height);
 imagecopyresampled($thumb, $source, 0, 0, 0, 0, $thumb_width, $thumb_height, $width, $height);
 switch($type) 
 {case 1:if (function_exists('imagegif')) {$success = imagegif($thumb, $THUMBS_DIR.$ps.'.gif');$thumb_name = $ps.'.gif';}
 else {$success = imagejpeg($thumb, $THUMBS_DIR.$ps.'.jpg', 50);$thumb_name = $ps.'.jpg';}break;

 case 2:$success = imagejpeg($thumb, $THUMBS_DIR.$ps.'.jpg', 100);$thumb_name = $ps.'.jpg';break;
 case 3:$success = imagepng($thumb, $THUMBS_DIR.$ps.'.png');$thumb_name = $ps.'.png';}

 /*destroy temp or not*/
 if ($success) {$result = "$thumb_name created";}

 }
 $fotref = $thumb_name;



 } 
 else{$errorreport='error with upload';}}

再次您好我已经发布了代码,我最初没有发布它,因为我没想到人们想要看到它,我真的很感激它,谢谢大家。

4

1 回答 1

0

我很确定这是因为 $_FILES 是一个超全局变量,因此当您将它用作函数 foto 中的参数名称时,它会被破坏,这样 $_FILES 就会成为您作为第一个参数传递的任何内容。

用 $_FILES 以外的变量重写 foto 函数,例如:

function foto($image, $THUMBS_DIR, $MAX_WIDTH, $MAX_HEIGHT){
    // rest of code here with $_FILES changed to $image
}

或者,由于 $_FILES 是一个超级全局变量,您可以完全跳过将其用作参数,将调用更改为:

foto($THUMBS_DIR, 400, 400, 1)

函数的形式为:

function foto($THUMBS_DIR, $MAX_WIDTH, $MAX_HEIGHT){
   //code placeholder 
   if (is_uploaded_file($_FILES['image']['tmp_name'])) {       
       $original = $_FILES['image']['tmp_name'];
   //rest of code
}
于 2012-07-12T20:54:28.527 回答