我把用户的头像上传到了Laravel存储器里。我如何访问它们并在视图中呈现它们?
服务器将所有请求指向/public,那么如果它们在/storage文件夹中,我如何显示它们?
我把用户的头像上传到了Laravel存储器里。我如何访问它们并在视图中呈现它们?
服务器将所有请求指向/public,那么如果它们在/storage文件夹中,我如何显示它们?
当前回答
如果你像我一样,你以某种方式拥有完整的文件路径(我对所需的照片进行了一些glob()模式匹配,所以我几乎最终得到了完整的文件路径),并且你的存储设置链接良好(即,这样你的路径有字符串storage/app/public/),那么你可以使用我下面的小脏hack:p)
public static function hackoutFileFromStorageFolder($fullfilePath) {
if (strpos($fullfilePath, 'storage/app/public/')) {
$fileParts = explode('storage/app/public/', $fullfilePath);
if( count($fileParts) > 1){
return $fileParts[1];
}
}
return '';
}
其他回答
最好的方法是创建一个像@SlateEntropy这样的符号链接。为了帮助实现这一点,从5.3版本开始,Laravel包含了一个命令,这使得这非常容易做到:
php artisan storage:link
这为你创建了一个从public/storage到storage/app/public的符号链接,这就是它的全部内容。现在/storage/app/public中的任何文件都可以通过如下链接访问:
http://somedomain.com/storage/image.jpg
如果由于某种原因,您不能创建符号链接(也许您在共享主机上,等等),或者您想在某些访问控制逻辑后面保护一些文件,那么可以使用一个特殊的路由来读取和服务映像。举个例子,像这样一个简单的闭合路径:
Route::get('storage/{filename}', function ($filename)
{
$path = storage_path('public/' . $filename);
if (!File::exists($path)) {
abort(404);
}
$file = File::get($path);
$type = File::mimeType($path);
$response = Response::make($file, 200);
$response->header("Content-Type", $type);
return $response;
});
你现在可以访问你的文件,就像你有一个符号链接一样:
http://somedomain.com/storage/image.jpg
如果你正在使用干预图像库,你可以使用它内置的响应方法来让事情更简洁:
Route::get('storage/{filename}', function ($filename)
{
return Image::make(storage_path('public/' . $filename))->response();
});
警告 请记住,手动提供文件会导致性能损失,因为您要经历整个Laravel请求生命周期才能读取和发送文件内容,这比让HTTP服务器处理要慢得多。
对我来说,它与子文件夹路由一起工作
Route::get('/storage/{folder}/{filename}', function ($folder,$filename)
{
$path = storage_path('app/public/' .$folder.'/'. $filename);
if (!File::exists($path)) {
abort(404);
}
$file = File::get($path);
$type = File::mimeType($path);
$response = Response::make($file, 200);
$response->header("Content-Type", $type);
return $response;
});
一种选择是在存储目录中的子文件夹和公共目录之间创建符号链接。
例如
ln -s /path/to/laravel/storage/avatars /path/to/laravel/public/avatars
这也是由Laravel的开发人员Taylor Otwell构建的部署管理器Envoyer所使用的方法。
如果你像我一样,你以某种方式拥有完整的文件路径(我对所需的照片进行了一些glob()模式匹配,所以我几乎最终得到了完整的文件路径),并且你的存储设置链接良好(即,这样你的路径有字符串storage/app/public/),那么你可以使用我下面的小脏hack:p)
public static function hackoutFileFromStorageFolder($fullfilePath) {
if (strpos($fullfilePath, 'storage/app/public/')) {
$fileParts = explode('storage/app/public/', $fullfilePath);
if( count($fileParts) > 1){
return $fileParts[1];
}
}
return '';
}
如果你想要加载少量的私有图像,你可以将图像编码为base64,并直接将它们回显到<img src="{{$image_data}}">:
$path = image.png
$full_path = Storage::path($path);
$base64 = base64_encode(Storage::get($path));
$image_data = 'data:'.mime_content_type($full_path) . ';base64,' . $base64;
我提到private是因为你应该只使用这些方法,如果你不想存储图像通过url公开访问,相反,你必须总是使用标准的方式 (链接存储/公用文件夹,并使用HTTP服务器提供图像)。
注意编码到base64()有两个重要的缺点:
这将增加图像大小约30%。 你在一个请求中组合了所有的图像大小,而不是并行加载它们,这对于一些小的缩略图应该不是问题,但对于许多图像避免使用这种方法。