0

出于安全原因,我在 MYSQL 中存储了一些图像。当我下载图像时,文件以正确的文件大小和名称下载,但没有显示图像。当我查看它的属性时,图像也没有尺寸。我正在使用 cakephp。

header("Content-type: ".$file['UploadFile']['file_extension']);
header("Content-Disposition: attachment; filename=\"".$file['UploadFile']['file_name']."\"");
header("Content-length: ".$file['UploadFile']['file_size']);



echo $file['UploadFile']['file_content'];

我用以下代码保存我的图像......

public function image_upload($fileName, $source, $extension, $file_size) {
     $this->loadModel('UploadFile');

     $content = addslashes(file_get_contents($source));

     $file_data = array('UploadFile' => array('title' => $fileName, 'file_content' => $content, 'file_name' => $fileName, 'file_extension' => $extension, 'file_size' => $file_size, 'file_type' => 'image-art'));

     $this->UploadFile->create();
     $this->UploadFile->save($file_data);

     $file_id = $this->UploadFile->id;
     return $file_id;
    }
4

1 回答 1

4

它们是您可能遇到这种情况的几个可能原因

A. 错误的内容类型 .. 你有Content-type: ".$file['UploadFile']['file_extension'].. 那是在你的代码中磨损了

例如。文件扩展格式类似于“.jpg”,而内容类型为image/jpeg

B. 您的文件可能未正确保存,这一定导致此类图像损坏

C. 文件必须在上传过程中被截断

D $content = addslashes(file_get_contents($source));...永远不要图像..当你加载图像时addslashes它会搞砸或准备好stripslashes

要在下载之前知道您的图像是否有效,您可以运行此代码

$image = ImageCreateFromString($file['UploadFile']['file_content']);
if(!$image)
     Something is Wrong 

您还可以使用getimagesize添加额外的验证

编辑 1

概念证明

$image = ImageCreateFromString ( $file ['UploadFile'] ['file_content'] );
if ($image) {

    /**
     * Check If Height and Width is grater than 1
     */
    if (ImageSX ( $image ) > 1 && ImageSY ( $image ) > 1) {
        $extention = strtolower ( $file ['UploadFile'] ['file_extension'] );
        switch ($extention) {
            case "png" :
                header ( 'Content-Type: image/png' ); // This is just example
                imagepng ( $image );
                break;

            case "gif" :
                header ( 'Content-Type: image/gif' ); // This is just example
                imagegif ( $image );
                break;

            case "jpg" :
            case "jpeg" :
                header ( 'Content-Type: image/jpg' ); // This is just example
                imagejpeg ( $image );
                break;

            default :
                die ( "Unsupported Image" );
                break;

        }

    } else {
        die ( "Fake Image" );
    }
} else {
    die ( "Invalid Image -- Contains Errors" );
}}
于 2012-04-10T21:19:33.883 回答