4

我有一个这样的javascript代码

var testCanvas = document.getElementById('canvas-1');
var canvasData = testCanvas.toDataURL("image/png");
var ajax = new XMLHttpRequest();
ajax.open("POST",'http://www.domain.com/imgsave.php',true);
ajax.setRequestHeader('Content-Type', 'canvas/upload');
ajax.send("canvasData"+canvasData );

我的php代码是这样的

if (isset($GLOBALS["HTTP_RAW_POST_DATA"]))
{
    // Get the data
    $imageData=$GLOBALS['HTTP_RAW_POST_DATA'];

    $filteredData=substr($imageData, strpos($imageData, ",")+1);

    $unencodedData=base64_decode($filteredData);
    $fp = fopen( 'test.png', 'wb' );
    fwrite( $fp, $unencodedData);
    fclose( $fp );
        echo "saved";
}
  else{

  echo "no raw data";
  }

执行此代码时,我得到了一个零大小的 png 文件图像?我的代码有什么问题?

4

3 回答 3

6

我最近不得不自己做这件事。

首先,我将 canvasData 放入一个隐藏字段并将其发布到我的 PHP 页面。

它以这种格式返回:data:image/png;base64,iVBORw0......

您需要先拆分数据,因为:data:image/png;base64,是标题信息。其余的是编码数据。

$rawData = $_POST['imageData'];
$filteredData = explode(',', $rawData);

$unencoded = base64_decode($filteredData[1]);

然后我在我的服务器上创建图像:

//Create the image 
$fp = fopen('sigs/test1.png', 'w');
fwrite($fp, $unencoded);
fclose($fp); 

然后阅读它来做我想做的任何事情。

$file_name = 'test1.png';
$file_size = strlen($filteredData[1])/1024; //This may be wrong, doesn't seem to break for me though.


$fh = fopen('sigs/test1.png', 'r');
$content = fread($fh, $file_size);
$content = base64_encode($content);
fclose($fh);

我非常确定有一个更优雅的解决方案,但这对我有用!

检查此以获取更多信息(可能):我自己的问题

于 2012-12-10T16:18:37.543 回答
2

这是我通过 ajax 从画布中保存图像的方法。我在客户端使用 jQuery

 jQuery.ajax({
     url: 'save.php',
     type: 'POST',
     data: {
         data: c.toDataURL('image/png')
     },
     complete: function(data, status)
     {
         if(status=='success')
         {
            alert('saved!');
         }
         alert('Error has been occurred');
     }

 });

php:

    $based64Image=substr($_POST['data'], strpos($_POST['data'], ',')+1);

    $image = imagecreatefromstring(base64_decode($based64Image));

    $fileName='';
    if($image != false)
    {
        $fileName=time().'.png';
        if(!imagepng($image, $fileName))
        {
//          fail;
        }
    }
    else
    {
//          fail;
    }

我希望这有帮助。

于 2012-12-10T16:30:44.960 回答
0

根据手册中的评论,要获取 HTTP_RAW_POST_DATA,您需要执行以下操作:

<?php $postdata = file_get_contents("php://input"); ?> 

该手册对包装器进行了说明,例如php://input

对于 POST 请求,最好使用 php://input 而不是 $HTTP_RAW_POST_DATA,因为它不依赖于特殊的 php.ini 指令。

于 2012-12-10T16:21:32.867 回答