move_uploaded_file
已经做了你想要的。
该错误很可能是由于您正在写入绝对路径,即写入文件系统根目录中名为“example”的目录,而不是当前 Web 服务器根目录中的子目录“example”。
此外,您可以准备一组允许的类型并检查in_array
:
$allowed_types = array('image/gif', 'image/jpeg', ...);
if ((in_array($_FILES['file']['type'], $allowed_types)
&& ...) {
...
另一件值得做的事情是定义一些变量,这样您就可以确保始终使用相同的值,因为您只分配一次。如果您在变量名中输入错误,您会收到通知,而如果您输入路径错误或忘记在修改后更新多个实例之一,则可能会出现无提示和/或难以诊断的错误。
$destination_dir = './example/'; // Also, note the "." at the beginning
// SECURITY: do not trust the name supplied by the user! At least use basename().
$basename = basename($_FILES["file"]["name"]);
if (!is_dir($destination_dir)) {
trigger_error("Destination dir {$destination_dir} is not writeable", E_USER_ERROR);
die();
}
if (file_exists($destination_file = $destination_dir . $basename)) {
echo "{$basename} already exists";
} else {
move_uploaded_file($_FILES["file"]["tmp_name"],
$destination_file);
echo "Stored in: {$destination_file}";
}
在您的情况下,您希望以将图片加载回浏览器的方式<?= $c->username ?>.png
保存图片。
为此,您需要两件事:文件路径和图像格式,必须是 PNG。在告诉浏览器您发送 PNG 后发送 JPEG 可能不起作用(某些浏览器会自动识别格式,而其他浏览器不会)。您可能还希望将图像调整为特定大小。
所以你应该做这样的事情:
// We ignore the $basename supplied by the user, using its username.
// **I assume that you know how to retrieve $c at this point.**
$basename = $c->username . '.png';
$destination_file = $destination_dir . $basename;
if ('image/png' == $_FILES['file']['type']) {
// No need to do anything, except perhaps resizing.
move_uploaded_file($_FILES["file"]["tmp_name"], $destination_file);
} else {
// Problem. The file is not PNG.
$temp_file = $destination_file . '.tmp';
move_uploaded_file($_FILES["file"]["tmp_name"], $temp_file);
$image_data = file_get_contents($temp_file);
unlink($temp_file);
// Now we have image data as a string.
$gd = ImageCreateFromString($image_data);
// Save it as PNG.
ImagePNG($gd, $destination_file);
ImageDestroy($gd);
}
// Optional resize.
if (false) {
list($w, $h) = getImageSize($destination_file);
// Fit it into a 64x64 square.
$W = 64;
$H = 64;
if (($w != $W) || ($h != $H)) {
$bad = ImageCreateFromPNG($destination_file);
$good = ImageCreateTrueColor($W, $H);
$bgnd = ImageColorAllocate($good, 255, 255, 255); // White background
ImageFilledRectangle($good, 0, 0, $W, $H, $bgnd);
// if the image is too wide, it will become $W-wide and <= $H tall.
// So it will have an empty strip top and bottom.
if ($w > $W*$h/$H) {
$ww = $W;
$hh = $ww * $h / $w;
$xx = 0;
$yy = floor(($H - $hh)/2);
} else {
// It will be $H tall, and l.o.e. than $W wide
$hh = $H;
$ww = $hh * $w / $h;
$xx = floor(($W - $ww)/2);
$yy = 0;
}
ImageCopyResampled($good, $bad,
$xx, $yy, 0, 0,
$ww, $hh, $w, $h
);
// Save modified image.
ImageDestroy($bad);
ImagePNG($good, $destination_file);
ImageDestroy($good);
}
}