0

我正在使用WSO2 WS 框架,并且我设法运行示例,其中 Web 服务将图像作为 MTOM 附件返回,然后由客户端使用 file_put_contents(...) 命令保存。

服务:

<?php

function sendAttachment($msg){
$responsePayloadString = <<<XML
    <ns1:download xmlns:ns1="http://wso2.org/wsfphp/samples/mtom">
        <ns1:fileName>test.jpg</ns1:fileName>
            <ns1:image xmlmime:contentType="image/jpeg" xmlns:xmlmime="http://www.w3.org/2004/06/xmlmime">
                <xop:Include xmlns:xop="http://www.w3.org/2004/08/xop/include" href="cid:myid1"></xop:Include>
            </ns1:image>
    </ns1:download>
XML;
$f = file_get_contents("test.jpg");                                        

$responseMessage = new WSMessage($responsePayloadString, 
        array( "attachments" => array("myid1" => $f)));  
return $responseMessage;    
}

$operations = array("download" => "sendAttachment");

$service = new WSService(array("operations" => $operations, "useMTOM" => TRUE));

$service->reply();

?>

客户:

<?php

$requestPayloadString = '<download></download>';

try {

$client = new WSClient(
    array( "to" => "http://SPLINTER/MTOM/service.php",
           "useMTOM" => TRUE,
           "responseXOP" => TRUE));

$requestMessage = new WSMessage($requestPayloadString);                    
$responseMessage = $client->request($requestMessage);

printf("Response = %s \n", $responseMessage->str);

$cid2stringMap = $responseMessage->attachments;
$cid2contentMap = $responseMessage->cid2contentType;
$imageName;
if($cid2stringMap && $cid2contentMap){
    foreach($cid2stringMap as $i=>$value){
        $f = $cid2stringMap[$i];
        $contentType = $cid2contentMap[$i];
        if(strcmp($contentType,"image/jpeg") ==0){
            $imageName = $i."."."jpg";
            if(stristr(PHP_OS, 'WIN')) {
                file_put_contents($imageName, $f);
            }else{
                file_put_contents("/tmp/".$imageName, $f);
            }
        }
    }
}else{
    printf("attachments not received ");
}

} catch (Exception $e) {

if ($e instanceof WSFault) {
    printf("Soap Fault: %s\n", $e->Reason);
} else {
    printf("Message = %s\n",$e->getMessage());
}
}
?>

相反,我想打开一个“保存对话框”来选择打开或保存文件。在寻找解决方案时,我阅读了有关设置 heders 的信息,例如:

header('Content-type: application/octet-stream');
header('Content-disposition: attachment; filename="test.jpg"');

但效果并不好。弹出“保存对话框”,但无法打开图像时说该文件为空。

其实我不太明白这个 MTOM 附件是如何工作的。在客户端代码中,我认为 $f 是一个字符串,当我执行 printf($f) 时它会打印 0(zero) 那么如何将此字符串保存为图像?

4

1 回答 1

0

如果要使用该标头,则必须输出文件内容,而不是将其保存在某处。

header('Content-type: application/octet-stream');
header('Content-disposition: attachment; filename="test.jpg"');

// Output file. This must be the ONLY output of the whole script
echo $rawFileContents;

基础是,当您将整个文件内容加载到一个变量中(并且它似乎$f在您的代码中)时,您输出它而不是将其写入文件中(就像我认为您现在正在做的那样)。所以,我给你的三行代码应该替换file_put_contents()调用。

相反,如果你想将文件保存在你的/tmp文件夹中,好的,这样做,但然后使用

header('Location: /tmp/' . $imageName);

这样,您可以将用户浏览器直接重定向到保存的文件,并让用户用它做他们想做的事。

于 2012-06-06T14:05:00.767 回答