强制下载图像作为响应 lumen + 干预图像

force download image as response lumen + intervention image

我在我的 Lumen 项目上使用 intervention image 并且一切正常,直到我遇到将编码图像制作为可下载的响应,该响应在表单提交时包含将被格式化为特定格式的图像文件例如webp, jpg, png 将作为可下载文件发回给用户,以下是我的尝试。

public function image_format(Request $request){
    $this->validate($request, [
        'image' => 'required|file',
    ]);

    $raw_img = $request->file('image');

    $q = (int)$request->input('quality',100);
    $f = $request->input('format','jpg');

    $img = Image::make($raw_img->getRealPath())->encode('webp',$q);

    header('Content-Type: image/webp');

    echo $img;
}

但不幸的是,这不是我预期的输出,它只是显示了图像。

从此,我使用代码并尝试实现我的objective

public function image_format(Request $request){
        $this->validate($request, [
            'image' => 'required|file',
        ]);

        $raw_img = $request->file('image');

        $q = (int)$request->input('quality',100);
        $f = $request->input('format','jpg');

        $img = Image::make($raw_img->getRealPath())->encode('webp',$q);
        $headers = [
            'Content-Type' => 'image/webp',
            'Content-Disposition' => 'attachment; filename='. $raw_img->getClientOriginalName().'.webp',
        ];

        $response = new BinaryFileResponse($img, 200 , $headers);
        return $response;
    }

但它不起作用,而是向我显示了这个错误

有什么帮助和想法吗?

在 Laravel 中,您可以使用 response()->stream(),但是,如评论中所述,Lumen 在响应中没有流方法。也就是说 stream() 方法几乎只是 return StreamedResponse 的新实例的包装器(它应该已经包含在您的依赖项中)。

因此,类似下面的内容应该适合您:

$raw_img = $request->file('image');

$q = (int)$request->input('quality', 100);
$f = $request->input('format', 'jpg');

$img = Image::make($raw_img->getRealPath())->encode($f, $q);

return new \Symfony\Component\HttpFoundation\StreamedResponse(function () use ($img) {
    echo $img;
}, 200, [
    'Content-Type'        => 'image/jpeg',
    'Content-Disposition' => 'attachment; filename=' . 'image.' . $f,
]);