无法使用Codeigniter上传base64编码的图像

时间:2012-07-20 11:27:45

标签: php codeigniter

我必须上传我从android应用程序收到的base64编码图像。我正在使用php codeigniter框架。 在搜索论坛时,此链接How to upload base64encoded image in codeigniter上的问题与我的相同,但解决方案对我不起作用。

这是我写的代码:

private function _save_image() {
    $image = base64_decode($_POST['imageString']);
    #setting the configuration values for saving the image
    $config['upload_path'] = FCPATH . 'path_to_image_folder';
    $config['file_name'] = 'my_image'.$_POST['imageType'];
    $config['allowed_types'] = 'gif|jpg|jpeg|png';
    $config['max_size'] = '2048';
    $config['remove_spaces'] = TRUE;
    $config['encrypt_name'] = TRUE;


    $this->load->library('upload', $config);
    if($this->upload->do_upload($image)) {
        $arr_image_info = $this->upload->data();
        return ($arr_image_info['full_path']);
    }
    else {
        echo $this->upload->display_errors();
        die();
    }
}

我收到“你没有选择要上传的文件”

感谢您的时间。

2 个答案:

答案 0 :(得分:5)

发生错误是因为codeigniter的上传库会查看$_FILES超级全局并搜索您在do_upload()来电时提供的索引。

此外(至少在版本2.1.2中)即使你要设置$ _FILES超全局来模仿文件上传的行为它也不会通过,因为上传库使用is_uploaded_file来检测exacly有点篡改超级球。您可以在system / libraries / Upload.php:134

中跟踪代码

我担心您将不得不重新实现大小检查和文件重命名和移动(我会这样做),或者您可以修改codeigniter以省略该检查,但它可能会使以后升级框架变得困难。

  1. 将$ image变量的内容保存到临时文件中,并将$_FILES设置为如下所示:

     $temp_file_path = tempnam(sys_get_temp_dir(), 'androidtempimage'); // might not work on some systems, specify your temp path if system temp dir is not writeable
     file_put_contents($temp_file_path, base64_decode($_POST['imageString']));
     $image_info = getimagesize($temp_file_path); 
     $_FILES['userfile'] = array(
         'name' => uniqid().'.'.preg_replace('!\w+/!', '', $image_info['mime']),
         'tmp_name' => $temp_file_path,
         'size'  => filesize($temp_file_path),
         'error' => UPLOAD_ERR_OK,
         'type'  => $image_info['mime'],
     );
    
  2. 修改上传库。您可以使用内置way of Extending Native Libraries的codeigniter,并定义My_Upload(或您的前缀)类,复制粘贴do_upload函数并更改以下行:

    public function do_upload($field = 'userfile')
    

    为:

    public function do_upload($field = 'userfile', $fake_upload = false)
    

    和:

    if ( ! is_uploaded_file($_FILES[$field]['tmp_name']) )
    

    为:

    if ( ! is_uploaded_file($_FILES[$field]['tmp_name']) && !$fake_upload )
    

    并在您的控制器中,使用流动参数调用do_upload():

    $this->upload->do_upload('userfile', true);
    

答案 1 :(得分:1)

您知道,如果您以字符串形式接收Base64编码图像,则无需使用Upload类。

相反,您只需要使用base64_decode对其进行解码,然后使用fwrite / file_put_contents来保存解码数据......

$img = imagecreatefromstring(base64_decode($string)); 
if($img != false) 
{ 
   imagejpeg($img, '/path/to/new/image.jpg'); 
}  

信用:http://board.phpbuilder.com/showthread.php?10359450-RESOLVED-Saving-Base64-image