mirror of
https://github.com/BookStackApp/BookStack.git
synced 2024-10-01 01:36:00 -04:00
Merge pull request #4578 from BookStackApp/upload_handling
Improvements to file/image upload handling UX
This commit is contained in:
commit
8bba5dd5a0
@ -40,26 +40,19 @@ class Book extends Entity implements HasCoverImage
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* Returns book cover image, if book cover not exists return default cover image.
|
* Returns book cover image, if book cover not exists return default cover image.
|
||||||
*
|
|
||||||
* @param int $width - Width of the image
|
|
||||||
* @param int $height - Height of the image
|
|
||||||
*
|
|
||||||
* @return string
|
|
||||||
*/
|
*/
|
||||||
public function getBookCover($width = 440, $height = 250)
|
public function getBookCover(int $width = 440, int $height = 250): string
|
||||||
{
|
{
|
||||||
$default = 'data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==';
|
$default = 'data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==';
|
||||||
if (!$this->image_id) {
|
if (!$this->image_id || !$this->cover) {
|
||||||
return $default;
|
return $default;
|
||||||
}
|
}
|
||||||
|
|
||||||
try {
|
try {
|
||||||
$cover = $this->cover ? url($this->cover->getThumb($width, $height, false)) : $default;
|
return $this->cover->getThumb($width, $height, false) ?? $default;
|
||||||
} catch (Exception $err) {
|
} catch (Exception $err) {
|
||||||
$cover = $default;
|
return $default;
|
||||||
}
|
}
|
||||||
|
|
||||||
return $cover;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -3,6 +3,7 @@
|
|||||||
namespace BookStack\Entities\Models;
|
namespace BookStack\Entities\Models;
|
||||||
|
|
||||||
use BookStack\Uploads\Image;
|
use BookStack\Uploads\Image;
|
||||||
|
use Exception;
|
||||||
use Illuminate\Database\Eloquent\Factories\HasFactory;
|
use Illuminate\Database\Eloquent\Factories\HasFactory;
|
||||||
use Illuminate\Database\Eloquent\Relations\BelongsTo;
|
use Illuminate\Database\Eloquent\Relations\BelongsTo;
|
||||||
use Illuminate\Database\Eloquent\Relations\BelongsToMany;
|
use Illuminate\Database\Eloquent\Relations\BelongsToMany;
|
||||||
@ -49,28 +50,21 @@ class Bookshelf extends Entity implements HasCoverImage
|
|||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Returns BookShelf cover image, if cover does not exists return default cover image.
|
* Returns shelf cover image, if cover not exists return default cover image.
|
||||||
*
|
|
||||||
* @param int $width - Width of the image
|
|
||||||
* @param int $height - Height of the image
|
|
||||||
*
|
|
||||||
* @return string
|
|
||||||
*/
|
*/
|
||||||
public function getBookCover($width = 440, $height = 250)
|
public function getBookCover(int $width = 440, int $height = 250): string
|
||||||
{
|
{
|
||||||
// TODO - Make generic, focused on books right now, Perhaps set-up a better image
|
// TODO - Make generic, focused on books right now, Perhaps set-up a better image
|
||||||
$default = 'data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==';
|
$default = 'data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==';
|
||||||
if (!$this->image_id) {
|
if (!$this->image_id || !$this->cover) {
|
||||||
return $default;
|
return $default;
|
||||||
}
|
}
|
||||||
|
|
||||||
try {
|
try {
|
||||||
$cover = $this->cover ? url($this->cover->getThumb($width, $height, false)) : $default;
|
return $this->cover->getThumb($width, $height, false) ?? $default;
|
||||||
} catch (\Exception $err) {
|
} catch (Exception $err) {
|
||||||
$cover = $default;
|
return $default;
|
||||||
}
|
}
|
||||||
|
|
||||||
return $cover;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -222,7 +222,7 @@ class ExportFormatter
|
|||||||
foreach ($imageTagsOutput[0] as $index => $imgMatch) {
|
foreach ($imageTagsOutput[0] as $index => $imgMatch) {
|
||||||
$oldImgTagString = $imgMatch;
|
$oldImgTagString = $imgMatch;
|
||||||
$srcString = $imageTagsOutput[2][$index];
|
$srcString = $imageTagsOutput[2][$index];
|
||||||
$imageEncoded = $this->imageService->imageUriToBase64($srcString);
|
$imageEncoded = $this->imageService->imageUrlToBase64($srcString);
|
||||||
if ($imageEncoded === null) {
|
if ($imageEncoded === null) {
|
||||||
$imageEncoded = $srcString;
|
$imageEncoded = $srcString;
|
||||||
}
|
}
|
||||||
|
@ -6,9 +6,11 @@ use Exception;
|
|||||||
use Illuminate\Auth\AuthenticationException;
|
use Illuminate\Auth\AuthenticationException;
|
||||||
use Illuminate\Database\Eloquent\ModelNotFoundException;
|
use Illuminate\Database\Eloquent\ModelNotFoundException;
|
||||||
use Illuminate\Foundation\Exceptions\Handler as ExceptionHandler;
|
use Illuminate\Foundation\Exceptions\Handler as ExceptionHandler;
|
||||||
|
use Illuminate\Http\Exceptions\PostTooLargeException;
|
||||||
use Illuminate\Http\JsonResponse;
|
use Illuminate\Http\JsonResponse;
|
||||||
use Illuminate\Http\Request;
|
use Illuminate\Http\Request;
|
||||||
use Illuminate\Validation\ValidationException;
|
use Illuminate\Validation\ValidationException;
|
||||||
|
use Symfony\Component\ErrorHandler\Error\FatalError;
|
||||||
use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface;
|
use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface;
|
||||||
use Throwable;
|
use Throwable;
|
||||||
|
|
||||||
@ -35,6 +37,15 @@ class Handler extends ExceptionHandler
|
|||||||
'password_confirmation',
|
'password_confirmation',
|
||||||
];
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* A function to run upon out of memory.
|
||||||
|
* If it returns a response, that will be provided back to the request
|
||||||
|
* upon an out of memory event.
|
||||||
|
*
|
||||||
|
* @var ?callable<?\Illuminate\Http\Response>
|
||||||
|
*/
|
||||||
|
protected $onOutOfMemory = null;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Report or log an exception.
|
* Report or log an exception.
|
||||||
*
|
*
|
||||||
@ -59,6 +70,17 @@ class Handler extends ExceptionHandler
|
|||||||
*/
|
*/
|
||||||
public function render($request, Throwable $e)
|
public function render($request, Throwable $e)
|
||||||
{
|
{
|
||||||
|
if ($e instanceof FatalError && str_contains($e->getMessage(), 'bytes exhausted (tried to allocate') && $this->onOutOfMemory) {
|
||||||
|
$response = call_user_func($this->onOutOfMemory);
|
||||||
|
if ($response) {
|
||||||
|
return $response;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if ($e instanceof PostTooLargeException) {
|
||||||
|
$e = new NotifyException(trans('errors.server_post_limit'), '/', 413);
|
||||||
|
}
|
||||||
|
|
||||||
if ($this->isApiRequest($request)) {
|
if ($this->isApiRequest($request)) {
|
||||||
return $this->renderApiException($e);
|
return $this->renderApiException($e);
|
||||||
}
|
}
|
||||||
@ -66,12 +88,30 @@ class Handler extends ExceptionHandler
|
|||||||
return parent::render($request, $e);
|
return parent::render($request, $e);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Provide a function to be called when an out of memory event occurs.
|
||||||
|
* If the callable returns a response, this response will be returned
|
||||||
|
* to the request upon error.
|
||||||
|
*/
|
||||||
|
public function prepareForOutOfMemory(callable $onOutOfMemory)
|
||||||
|
{
|
||||||
|
$this->onOutOfMemory = $onOutOfMemory;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Forget the current out of memory handler, if existing.
|
||||||
|
*/
|
||||||
|
public function forgetOutOfMemoryHandler()
|
||||||
|
{
|
||||||
|
$this->onOutOfMemory = null;
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Check if the given request is an API request.
|
* Check if the given request is an API request.
|
||||||
*/
|
*/
|
||||||
protected function isApiRequest(Request $request): bool
|
protected function isApiRequest(Request $request): bool
|
||||||
{
|
{
|
||||||
return strpos($request->path(), 'api/') === 0;
|
return str_starts_with($request->path(), 'api/');
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -5,23 +5,23 @@ namespace BookStack\Uploads\Controllers;
|
|||||||
use BookStack\Exceptions\ImageUploadException;
|
use BookStack\Exceptions\ImageUploadException;
|
||||||
use BookStack\Http\Controller;
|
use BookStack\Http\Controller;
|
||||||
use BookStack\Uploads\ImageRepo;
|
use BookStack\Uploads\ImageRepo;
|
||||||
|
use BookStack\Uploads\ImageResizer;
|
||||||
|
use BookStack\Util\OutOfMemoryHandler;
|
||||||
use Exception;
|
use Exception;
|
||||||
use Illuminate\Http\Request;
|
use Illuminate\Http\Request;
|
||||||
|
|
||||||
class DrawioImageController extends Controller
|
class DrawioImageController extends Controller
|
||||||
{
|
{
|
||||||
protected $imageRepo;
|
public function __construct(
|
||||||
|
protected ImageRepo $imageRepo
|
||||||
public function __construct(ImageRepo $imageRepo)
|
) {
|
||||||
{
|
|
||||||
$this->imageRepo = $imageRepo;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Get a list of gallery images, in a list.
|
* Get a list of gallery images, in a list.
|
||||||
* Can be paged and filtered by entity.
|
* Can be paged and filtered by entity.
|
||||||
*/
|
*/
|
||||||
public function list(Request $request)
|
public function list(Request $request, ImageResizer $resizer)
|
||||||
{
|
{
|
||||||
$page = $request->get('page', 1);
|
$page = $request->get('page', 1);
|
||||||
$searchTerm = $request->get('search', null);
|
$searchTerm = $request->get('search', null);
|
||||||
@ -29,11 +29,20 @@ class DrawioImageController extends Controller
|
|||||||
$parentTypeFilter = $request->get('filter_type', null);
|
$parentTypeFilter = $request->get('filter_type', null);
|
||||||
|
|
||||||
$imgData = $this->imageRepo->getEntityFiltered('drawio', $parentTypeFilter, $page, 24, $uploadedToFilter, $searchTerm);
|
$imgData = $this->imageRepo->getEntityFiltered('drawio', $parentTypeFilter, $page, 24, $uploadedToFilter, $searchTerm);
|
||||||
|
$viewData = [
|
||||||
return view('pages.parts.image-manager-list', [
|
'warning' => '',
|
||||||
'images' => $imgData['images'],
|
'images' => $imgData['images'],
|
||||||
'hasMore' => $imgData['has_more'],
|
'hasMore' => $imgData['has_more'],
|
||||||
]);
|
];
|
||||||
|
|
||||||
|
new OutOfMemoryHandler(function () use ($viewData) {
|
||||||
|
$viewData['warning'] = trans('errors.image_gallery_thumbnail_memory_limit');
|
||||||
|
return response()->view('pages.parts.image-manager-list', $viewData, 200);
|
||||||
|
});
|
||||||
|
|
||||||
|
$resizer->loadGalleryThumbnailsForMany($imgData['images']);
|
||||||
|
|
||||||
|
return view('pages.parts.image-manager-list', $viewData);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -5,7 +5,11 @@ namespace BookStack\Uploads\Controllers;
|
|||||||
use BookStack\Exceptions\ImageUploadException;
|
use BookStack\Exceptions\ImageUploadException;
|
||||||
use BookStack\Http\Controller;
|
use BookStack\Http\Controller;
|
||||||
use BookStack\Uploads\ImageRepo;
|
use BookStack\Uploads\ImageRepo;
|
||||||
|
use BookStack\Uploads\ImageResizer;
|
||||||
|
use BookStack\Util\OutOfMemoryHandler;
|
||||||
use Illuminate\Http\Request;
|
use Illuminate\Http\Request;
|
||||||
|
use Illuminate\Support\Facades\App;
|
||||||
|
use Illuminate\Support\Facades\Log;
|
||||||
use Illuminate\Validation\ValidationException;
|
use Illuminate\Validation\ValidationException;
|
||||||
|
|
||||||
class GalleryImageController extends Controller
|
class GalleryImageController extends Controller
|
||||||
@ -19,7 +23,7 @@ class GalleryImageController extends Controller
|
|||||||
* Get a list of gallery images, in a list.
|
* Get a list of gallery images, in a list.
|
||||||
* Can be paged and filtered by entity.
|
* Can be paged and filtered by entity.
|
||||||
*/
|
*/
|
||||||
public function list(Request $request)
|
public function list(Request $request, ImageResizer $resizer)
|
||||||
{
|
{
|
||||||
$page = $request->get('page', 1);
|
$page = $request->get('page', 1);
|
||||||
$searchTerm = $request->get('search', null);
|
$searchTerm = $request->get('search', null);
|
||||||
@ -27,11 +31,20 @@ class GalleryImageController extends Controller
|
|||||||
$parentTypeFilter = $request->get('filter_type', null);
|
$parentTypeFilter = $request->get('filter_type', null);
|
||||||
|
|
||||||
$imgData = $this->imageRepo->getEntityFiltered('gallery', $parentTypeFilter, $page, 30, $uploadedToFilter, $searchTerm);
|
$imgData = $this->imageRepo->getEntityFiltered('gallery', $parentTypeFilter, $page, 30, $uploadedToFilter, $searchTerm);
|
||||||
|
$viewData = [
|
||||||
return view('pages.parts.image-manager-list', [
|
'warning' => '',
|
||||||
'images' => $imgData['images'],
|
'images' => $imgData['images'],
|
||||||
'hasMore' => $imgData['has_more'],
|
'hasMore' => $imgData['has_more'],
|
||||||
]);
|
];
|
||||||
|
|
||||||
|
new OutOfMemoryHandler(function () use ($viewData) {
|
||||||
|
$viewData['warning'] = trans('errors.image_gallery_thumbnail_memory_limit');
|
||||||
|
return response()->view('pages.parts.image-manager-list', $viewData, 200);
|
||||||
|
});
|
||||||
|
|
||||||
|
$resizer->loadGalleryThumbnailsForMany($imgData['images']);
|
||||||
|
|
||||||
|
return view('pages.parts.image-manager-list', $viewData);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -51,6 +64,10 @@ class GalleryImageController extends Controller
|
|||||||
return $this->jsonError(implode("\n", $exception->errors()['file']));
|
return $this->jsonError(implode("\n", $exception->errors()['file']));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
new OutOfMemoryHandler(function () {
|
||||||
|
return $this->jsonError(trans('errors.image_upload_memory_limit'));
|
||||||
|
});
|
||||||
|
|
||||||
try {
|
try {
|
||||||
$imageUpload = $request->file('file');
|
$imageUpload = $request->file('file');
|
||||||
$uploadedTo = $request->get('uploaded_to', 0);
|
$uploadedTo = $request->get('uploaded_to', 0);
|
||||||
|
@ -4,19 +4,22 @@ namespace BookStack\Uploads\Controllers;
|
|||||||
|
|
||||||
use BookStack\Exceptions\ImageUploadException;
|
use BookStack\Exceptions\ImageUploadException;
|
||||||
use BookStack\Exceptions\NotFoundException;
|
use BookStack\Exceptions\NotFoundException;
|
||||||
|
use BookStack\Exceptions\NotifyException;
|
||||||
use BookStack\Http\Controller;
|
use BookStack\Http\Controller;
|
||||||
use BookStack\Uploads\Image;
|
use BookStack\Uploads\Image;
|
||||||
use BookStack\Uploads\ImageRepo;
|
use BookStack\Uploads\ImageRepo;
|
||||||
|
use BookStack\Uploads\ImageResizer;
|
||||||
use BookStack\Uploads\ImageService;
|
use BookStack\Uploads\ImageService;
|
||||||
|
use BookStack\Util\OutOfMemoryHandler;
|
||||||
use Exception;
|
use Exception;
|
||||||
use Illuminate\Http\Request;
|
use Illuminate\Http\Request;
|
||||||
use Illuminate\Validation\ValidationException;
|
|
||||||
|
|
||||||
class ImageController extends Controller
|
class ImageController extends Controller
|
||||||
{
|
{
|
||||||
public function __construct(
|
public function __construct(
|
||||||
protected ImageRepo $imageRepo,
|
protected ImageRepo $imageRepo,
|
||||||
protected ImageService $imageService
|
protected ImageService $imageService,
|
||||||
|
protected ImageResizer $imageResizer,
|
||||||
) {
|
) {
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -38,13 +41,10 @@ class ImageController extends Controller
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* Update image details.
|
* Update image details.
|
||||||
*
|
|
||||||
* @throws ImageUploadException
|
|
||||||
* @throws ValidationException
|
|
||||||
*/
|
*/
|
||||||
public function update(Request $request, string $id)
|
public function update(Request $request, string $id)
|
||||||
{
|
{
|
||||||
$this->validate($request, [
|
$data = $this->validate($request, [
|
||||||
'name' => ['required', 'min:2', 'string'],
|
'name' => ['required', 'min:2', 'string'],
|
||||||
]);
|
]);
|
||||||
|
|
||||||
@ -52,9 +52,7 @@ class ImageController extends Controller
|
|||||||
$this->checkImagePermission($image);
|
$this->checkImagePermission($image);
|
||||||
$this->checkOwnablePermission('image-update', $image);
|
$this->checkOwnablePermission('image-update', $image);
|
||||||
|
|
||||||
$image = $this->imageRepo->updateImageDetails($image, $request->all());
|
$image = $this->imageRepo->updateImageDetails($image, $data);
|
||||||
|
|
||||||
$this->imageRepo->loadThumbs($image);
|
|
||||||
|
|
||||||
return view('pages.parts.image-manager-form', [
|
return view('pages.parts.image-manager-form', [
|
||||||
'image' => $image,
|
'image' => $image,
|
||||||
@ -76,6 +74,10 @@ class ImageController extends Controller
|
|||||||
$this->checkOwnablePermission('image-update', $image);
|
$this->checkOwnablePermission('image-update', $image);
|
||||||
$file = $request->file('file');
|
$file = $request->file('file');
|
||||||
|
|
||||||
|
new OutOfMemoryHandler(function () {
|
||||||
|
return $this->jsonError(trans('errors.image_upload_memory_limit'));
|
||||||
|
});
|
||||||
|
|
||||||
try {
|
try {
|
||||||
$this->imageRepo->updateImageFile($image, $file);
|
$this->imageRepo->updateImageFile($image, $file);
|
||||||
} catch (ImageUploadException $exception) {
|
} catch (ImageUploadException $exception) {
|
||||||
@ -99,12 +101,20 @@ class ImageController extends Controller
|
|||||||
$dependantPages = $this->imageRepo->getPagesUsingImage($image);
|
$dependantPages = $this->imageRepo->getPagesUsingImage($image);
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->imageRepo->loadThumbs($image);
|
$viewData = [
|
||||||
|
|
||||||
return view('pages.parts.image-manager-form', [
|
|
||||||
'image' => $image,
|
'image' => $image,
|
||||||
'dependantPages' => $dependantPages ?? null,
|
'dependantPages' => $dependantPages ?? null,
|
||||||
]);
|
'warning' => '',
|
||||||
|
];
|
||||||
|
|
||||||
|
new OutOfMemoryHandler(function () use ($viewData) {
|
||||||
|
$viewData['warning'] = trans('errors.image_thumbnail_memory_limit');
|
||||||
|
return response()->view('pages.parts.image-manager-form', $viewData);
|
||||||
|
});
|
||||||
|
|
||||||
|
$this->imageResizer->loadGalleryThumbnailsForImage($image, false);
|
||||||
|
|
||||||
|
return view('pages.parts.image-manager-form', $viewData);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -124,9 +134,28 @@ class ImageController extends Controller
|
|||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Check related page permission and ensure type is drawio or gallery.
|
* Rebuild the thumbnails for the given image.
|
||||||
*/
|
*/
|
||||||
protected function checkImagePermission(Image $image)
|
public function rebuildThumbnails(string $id)
|
||||||
|
{
|
||||||
|
$image = $this->imageRepo->getById($id);
|
||||||
|
$this->checkImagePermission($image);
|
||||||
|
$this->checkOwnablePermission('image-update', $image);
|
||||||
|
|
||||||
|
new OutOfMemoryHandler(function () {
|
||||||
|
return $this->jsonError(trans('errors.image_thumbnail_memory_limit'));
|
||||||
|
});
|
||||||
|
|
||||||
|
$this->imageResizer->loadGalleryThumbnailsForImage($image, true);
|
||||||
|
|
||||||
|
return response(trans('components.image_rebuild_thumbs_success'));
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check related page permission and ensure type is drawio or gallery.
|
||||||
|
* @throws NotifyException
|
||||||
|
*/
|
||||||
|
protected function checkImagePermission(Image $image): void
|
||||||
{
|
{
|
||||||
if ($image->type !== 'drawio' && $image->type !== 'gallery') {
|
if ($image->type !== 'drawio' && $image->type !== 'gallery') {
|
||||||
$this->showPermissionError();
|
$this->showPermissionError();
|
||||||
|
@ -6,6 +6,7 @@ use BookStack\Entities\Models\Page;
|
|||||||
use BookStack\Http\ApiController;
|
use BookStack\Http\ApiController;
|
||||||
use BookStack\Uploads\Image;
|
use BookStack\Uploads\Image;
|
||||||
use BookStack\Uploads\ImageRepo;
|
use BookStack\Uploads\ImageRepo;
|
||||||
|
use BookStack\Uploads\ImageResizer;
|
||||||
use Illuminate\Http\Request;
|
use Illuminate\Http\Request;
|
||||||
|
|
||||||
class ImageGalleryApiController extends ApiController
|
class ImageGalleryApiController extends ApiController
|
||||||
@ -15,7 +16,8 @@ class ImageGalleryApiController extends ApiController
|
|||||||
];
|
];
|
||||||
|
|
||||||
public function __construct(
|
public function __construct(
|
||||||
protected ImageRepo $imageRepo
|
protected ImageRepo $imageRepo,
|
||||||
|
protected ImageResizer $imageResizer,
|
||||||
) {
|
) {
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -130,7 +132,7 @@ class ImageGalleryApiController extends ApiController
|
|||||||
*/
|
*/
|
||||||
protected function formatForSingleResponse(Image $image): array
|
protected function formatForSingleResponse(Image $image): array
|
||||||
{
|
{
|
||||||
$this->imageRepo->loadThumbs($image);
|
$this->imageResizer->loadGalleryThumbnailsForImage($image, false);
|
||||||
$data = $image->toArray();
|
$data = $image->toArray();
|
||||||
$data['created_by'] = $image->createdBy;
|
$data['created_by'] = $image->createdBy;
|
||||||
$data['updated_by'] = $image->updatedBy;
|
$data['updated_by'] = $image->updatedBy;
|
||||||
@ -138,6 +140,7 @@ class ImageGalleryApiController extends ApiController
|
|||||||
|
|
||||||
$escapedUrl = htmlentities($image->url);
|
$escapedUrl = htmlentities($image->url);
|
||||||
$escapedName = htmlentities($image->name);
|
$escapedName = htmlentities($image->name);
|
||||||
|
|
||||||
if ($image->type === 'drawio') {
|
if ($image->type === 'drawio') {
|
||||||
$data['content']['html'] = "<div drawio-diagram=\"{$image->id}\"><img src=\"{$escapedUrl}\"></div>";
|
$data['content']['html'] = "<div drawio-diagram=\"{$image->id}\"><img src=\"{$escapedUrl}\"></div>";
|
||||||
$data['content']['markdown'] = $data['content']['html'];
|
$data['content']['markdown'] = $data['content']['html'];
|
||||||
|
@ -45,13 +45,14 @@ class Image extends Model
|
|||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Get a thumbnail for this image.
|
* Get a thumbnail URL for this image.
|
||||||
|
* Attempts to generate the thumbnail if not already existing.
|
||||||
*
|
*
|
||||||
* @throws \Exception
|
* @throws \Exception
|
||||||
*/
|
*/
|
||||||
public function getThumb(?int $width, ?int $height, bool $keepRatio = false): string
|
public function getThumb(?int $width, ?int $height, bool $keepRatio = false): ?string
|
||||||
{
|
{
|
||||||
return app()->make(ImageService::class)->getThumbnail($this, $width, $height, $keepRatio);
|
return app()->make(ImageResizer::class)->resizeToThumbnailUrl($this, $width, $height, $keepRatio, false);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -13,7 +13,8 @@ class ImageRepo
|
|||||||
{
|
{
|
||||||
public function __construct(
|
public function __construct(
|
||||||
protected ImageService $imageService,
|
protected ImageService $imageService,
|
||||||
protected PermissionApplicator $permissions
|
protected PermissionApplicator $permissions,
|
||||||
|
protected ImageResizer $imageResizer,
|
||||||
) {
|
) {
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -29,19 +30,13 @@ class ImageRepo
|
|||||||
* Execute a paginated query, returning in a standard format.
|
* Execute a paginated query, returning in a standard format.
|
||||||
* Also runs the query through the restriction system.
|
* Also runs the query through the restriction system.
|
||||||
*/
|
*/
|
||||||
private function returnPaginated($query, $page = 1, $pageSize = 24): array
|
protected function returnPaginated(Builder $query, int $page = 1, int $pageSize = 24): array
|
||||||
{
|
{
|
||||||
$images = $query->orderBy('created_at', 'desc')->skip($pageSize * ($page - 1))->take($pageSize + 1)->get();
|
$images = $query->orderBy('created_at', 'desc')->skip($pageSize * ($page - 1))->take($pageSize + 1)->get();
|
||||||
$hasMore = count($images) > $pageSize;
|
|
||||||
|
|
||||||
$returnImages = $images->take($pageSize);
|
|
||||||
$returnImages->each(function (Image $image) {
|
|
||||||
$this->loadThumbs($image);
|
|
||||||
});
|
|
||||||
|
|
||||||
return [
|
return [
|
||||||
'images' => $returnImages,
|
'images' => $images->take($pageSize),
|
||||||
'has_more' => $hasMore,
|
'has_more' => count($images) > $pageSize,
|
||||||
];
|
];
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -119,7 +114,7 @@ class ImageRepo
|
|||||||
$image = $this->imageService->saveNewFromUpload($uploadFile, $type, $uploadedTo, $resizeWidth, $resizeHeight, $keepRatio);
|
$image = $this->imageService->saveNewFromUpload($uploadFile, $type, $uploadedTo, $resizeWidth, $resizeHeight, $keepRatio);
|
||||||
|
|
||||||
if ($type !== 'system') {
|
if ($type !== 'system') {
|
||||||
$this->loadThumbs($image);
|
$this->imageResizer->loadGalleryThumbnailsForImage($image, true);
|
||||||
}
|
}
|
||||||
|
|
||||||
return $image;
|
return $image;
|
||||||
@ -133,7 +128,7 @@ class ImageRepo
|
|||||||
public function saveNewFromData(string $imageName, string $imageData, string $type, int $uploadedTo = 0): Image
|
public function saveNewFromData(string $imageName, string $imageData, string $type, int $uploadedTo = 0): Image
|
||||||
{
|
{
|
||||||
$image = $this->imageService->saveNew($imageName, $imageData, $type, $uploadedTo);
|
$image = $this->imageService->saveNew($imageName, $imageData, $type, $uploadedTo);
|
||||||
$this->loadThumbs($image);
|
$this->imageResizer->loadGalleryThumbnailsForImage($image, true);
|
||||||
|
|
||||||
return $image;
|
return $image;
|
||||||
}
|
}
|
||||||
@ -160,7 +155,7 @@ class ImageRepo
|
|||||||
$image->fill($updateDetails);
|
$image->fill($updateDetails);
|
||||||
$image->updated_by = user()->id;
|
$image->updated_by = user()->id;
|
||||||
$image->save();
|
$image->save();
|
||||||
$this->loadThumbs($image);
|
$this->imageResizer->loadGalleryThumbnailsForImage($image, false);
|
||||||
|
|
||||||
return $image;
|
return $image;
|
||||||
}
|
}
|
||||||
@ -179,8 +174,9 @@ class ImageRepo
|
|||||||
$image->updated_by = user()->id;
|
$image->updated_by = user()->id;
|
||||||
$image->touch();
|
$image->touch();
|
||||||
$image->save();
|
$image->save();
|
||||||
|
|
||||||
$this->imageService->replaceExistingFromUpload($image->path, $image->type, $file);
|
$this->imageService->replaceExistingFromUpload($image->path, $image->type, $file);
|
||||||
$this->loadThumbs($image, true);
|
$this->imageResizer->loadGalleryThumbnailsForImage($image, true);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -212,31 +208,6 @@ class ImageRepo
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Load thumbnails onto an image object.
|
|
||||||
*/
|
|
||||||
public function loadThumbs(Image $image, bool $forceCreate = false): void
|
|
||||||
{
|
|
||||||
$image->setAttribute('thumbs', [
|
|
||||||
'gallery' => $this->getThumbnail($image, 150, 150, false, $forceCreate),
|
|
||||||
'display' => $this->getThumbnail($image, 1680, null, true, $forceCreate),
|
|
||||||
]);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Get the thumbnail for an image.
|
|
||||||
* If $keepRatio is true only the width will be used.
|
|
||||||
* Checks the cache then storage to avoid creating / accessing the filesystem on every check.
|
|
||||||
*/
|
|
||||||
protected function getThumbnail(Image $image, ?int $width, ?int $height, bool $keepRatio, bool $forceCreate): ?string
|
|
||||||
{
|
|
||||||
try {
|
|
||||||
return $this->imageService->getThumbnail($image, $width, $height, $keepRatio, $forceCreate);
|
|
||||||
} catch (Exception $exception) {
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Get the raw image data from an Image.
|
* Get the raw image data from an Image.
|
||||||
*/
|
*/
|
||||||
|
206
app/Uploads/ImageResizer.php
Normal file
206
app/Uploads/ImageResizer.php
Normal file
@ -0,0 +1,206 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace BookStack\Uploads;
|
||||||
|
|
||||||
|
use BookStack\Exceptions\ImageUploadException;
|
||||||
|
use Exception;
|
||||||
|
use GuzzleHttp\Psr7\Utils;
|
||||||
|
use Illuminate\Support\Facades\Cache;
|
||||||
|
use Intervention\Image\Image as InterventionImage;
|
||||||
|
use Intervention\Image\ImageManager;
|
||||||
|
|
||||||
|
class ImageResizer
|
||||||
|
{
|
||||||
|
protected const THUMBNAIL_CACHE_TIME = 604_800; // 1 week
|
||||||
|
|
||||||
|
public function __construct(
|
||||||
|
protected ImageManager $intervention,
|
||||||
|
protected ImageStorage $storage,
|
||||||
|
) {
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Load gallery thumbnails for a set of images.
|
||||||
|
* @param iterable<Image> $images
|
||||||
|
*/
|
||||||
|
public function loadGalleryThumbnailsForMany(iterable $images, bool $shouldCreate = false): void
|
||||||
|
{
|
||||||
|
foreach ($images as $image) {
|
||||||
|
$this->loadGalleryThumbnailsForImage($image, $shouldCreate);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Load gallery thumbnails into the given image instance.
|
||||||
|
*/
|
||||||
|
public function loadGalleryThumbnailsForImage(Image $image, bool $shouldCreate): void
|
||||||
|
{
|
||||||
|
$thumbs = ['gallery' => null, 'display' => null];
|
||||||
|
|
||||||
|
try {
|
||||||
|
$thumbs['gallery'] = $this->resizeToThumbnailUrl($image, 150, 150, false, $shouldCreate);
|
||||||
|
$thumbs['display'] = $this->resizeToThumbnailUrl($image, 1680, null, true, $shouldCreate);
|
||||||
|
} catch (Exception $exception) {
|
||||||
|
// Prevent thumbnail errors from stopping execution
|
||||||
|
}
|
||||||
|
|
||||||
|
$image->setAttribute('thumbs', $thumbs);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the thumbnail for an image.
|
||||||
|
* If $keepRatio is true only the width will be used.
|
||||||
|
* Checks the cache then storage to avoid creating / accessing the filesystem on every check.
|
||||||
|
*
|
||||||
|
* @throws Exception
|
||||||
|
*/
|
||||||
|
public function resizeToThumbnailUrl(
|
||||||
|
Image $image,
|
||||||
|
?int $width,
|
||||||
|
?int $height,
|
||||||
|
bool $keepRatio = false,
|
||||||
|
bool $shouldCreate = false
|
||||||
|
): ?string {
|
||||||
|
// Do not resize GIF images where we're not cropping
|
||||||
|
if ($keepRatio && $this->isGif($image)) {
|
||||||
|
return $this->storage->getPublicUrl($image->path);
|
||||||
|
}
|
||||||
|
|
||||||
|
$thumbDirName = '/' . ($keepRatio ? 'scaled-' : 'thumbs-') . $width . '-' . $height . '/';
|
||||||
|
$imagePath = $image->path;
|
||||||
|
$thumbFilePath = dirname($imagePath) . $thumbDirName . basename($imagePath);
|
||||||
|
|
||||||
|
$thumbCacheKey = 'images::' . $image->id . '::' . $thumbFilePath;
|
||||||
|
|
||||||
|
// Return path if in cache
|
||||||
|
$cachedThumbPath = Cache::get($thumbCacheKey);
|
||||||
|
if ($cachedThumbPath && !$shouldCreate) {
|
||||||
|
return $this->storage->getPublicUrl($cachedThumbPath);
|
||||||
|
}
|
||||||
|
|
||||||
|
// If thumbnail has already been generated, serve that and cache path
|
||||||
|
$disk = $this->storage->getDisk($image->type);
|
||||||
|
if (!$shouldCreate && $disk->exists($thumbFilePath)) {
|
||||||
|
Cache::put($thumbCacheKey, $thumbFilePath, static::THUMBNAIL_CACHE_TIME);
|
||||||
|
|
||||||
|
return $this->storage->getPublicUrl($thumbFilePath);
|
||||||
|
}
|
||||||
|
|
||||||
|
$imageData = $disk->get($imagePath);
|
||||||
|
|
||||||
|
// Do not resize apng images where we're not cropping
|
||||||
|
if ($keepRatio && $this->isApngData($image, $imageData)) {
|
||||||
|
Cache::put($thumbCacheKey, $image->path, static::THUMBNAIL_CACHE_TIME);
|
||||||
|
|
||||||
|
return $this->storage->getPublicUrl($image->path);
|
||||||
|
}
|
||||||
|
|
||||||
|
// If not in cache and thumbnail does not exist, generate thumb and cache path
|
||||||
|
$thumbData = $this->resizeImageData($imageData, $width, $height, $keepRatio);
|
||||||
|
$disk->put($thumbFilePath, $thumbData, true);
|
||||||
|
Cache::put($thumbCacheKey, $thumbFilePath, static::THUMBNAIL_CACHE_TIME);
|
||||||
|
|
||||||
|
return $this->storage->getPublicUrl($thumbFilePath);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Resize the image of given data to the specified size, and return the new image data.
|
||||||
|
*
|
||||||
|
* @throws ImageUploadException
|
||||||
|
*/
|
||||||
|
public function resizeImageData(string $imageData, ?int $width, ?int $height, bool $keepRatio): string
|
||||||
|
{
|
||||||
|
try {
|
||||||
|
$thumb = $this->intervention->make($imageData);
|
||||||
|
} catch (Exception $e) {
|
||||||
|
throw new ImageUploadException(trans('errors.cannot_create_thumbs'));
|
||||||
|
}
|
||||||
|
|
||||||
|
$this->orientImageToOriginalExif($thumb, $imageData);
|
||||||
|
|
||||||
|
if ($keepRatio) {
|
||||||
|
$thumb->resize($width, $height, function ($constraint) {
|
||||||
|
$constraint->aspectRatio();
|
||||||
|
$constraint->upsize();
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
$thumb->fit($width, $height);
|
||||||
|
}
|
||||||
|
|
||||||
|
$thumbData = (string) $thumb->encode();
|
||||||
|
|
||||||
|
// Use original image data if we're keeping the ratio
|
||||||
|
// and the resizing does not save any space.
|
||||||
|
if ($keepRatio && strlen($thumbData) > strlen($imageData)) {
|
||||||
|
return $imageData;
|
||||||
|
}
|
||||||
|
|
||||||
|
return $thumbData;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Orientate the given intervention image based upon the given original image data.
|
||||||
|
* Intervention does have an `orientate` method but the exif data it needs is lost before it
|
||||||
|
* can be used (At least when created using binary string data) so we need to do some
|
||||||
|
* implementation on our side to use the original image data.
|
||||||
|
* Bulk of logic taken from: https://github.com/Intervention/image/blob/b734a4988b2148e7d10364b0609978a88d277536/src/Intervention/Image/Commands/OrientateCommand.php
|
||||||
|
* Copyright (c) Oliver Vogel, MIT License.
|
||||||
|
*/
|
||||||
|
protected function orientImageToOriginalExif(InterventionImage $image, string $originalData): void
|
||||||
|
{
|
||||||
|
if (!extension_loaded('exif')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
$stream = Utils::streamFor($originalData)->detach();
|
||||||
|
$exif = @exif_read_data($stream);
|
||||||
|
$orientation = $exif ? ($exif['Orientation'] ?? null) : null;
|
||||||
|
|
||||||
|
switch ($orientation) {
|
||||||
|
case 2:
|
||||||
|
$image->flip();
|
||||||
|
break;
|
||||||
|
case 3:
|
||||||
|
$image->rotate(180);
|
||||||
|
break;
|
||||||
|
case 4:
|
||||||
|
$image->rotate(180)->flip();
|
||||||
|
break;
|
||||||
|
case 5:
|
||||||
|
$image->rotate(270)->flip();
|
||||||
|
break;
|
||||||
|
case 6:
|
||||||
|
$image->rotate(270);
|
||||||
|
break;
|
||||||
|
case 7:
|
||||||
|
$image->rotate(90)->flip();
|
||||||
|
break;
|
||||||
|
case 8:
|
||||||
|
$image->rotate(90);
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Checks if the image is a gif. Returns true if it is, else false.
|
||||||
|
*/
|
||||||
|
protected function isGif(Image $image): bool
|
||||||
|
{
|
||||||
|
return strtolower(pathinfo($image->path, PATHINFO_EXTENSION)) === 'gif';
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if the given image and image data is apng.
|
||||||
|
*/
|
||||||
|
protected function isApngData(Image $image, string &$imageData): bool
|
||||||
|
{
|
||||||
|
$isPng = strtolower(pathinfo($image->path, PATHINFO_EXTENSION)) === 'png';
|
||||||
|
if (!$isPng) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
$initialHeader = substr($imageData, 0, strpos($imageData, 'IDAT'));
|
||||||
|
|
||||||
|
return str_contains($initialHeader, 'acTL');
|
||||||
|
}
|
||||||
|
}
|
@ -6,109 +6,27 @@ use BookStack\Entities\Models\Book;
|
|||||||
use BookStack\Entities\Models\Bookshelf;
|
use BookStack\Entities\Models\Bookshelf;
|
||||||
use BookStack\Entities\Models\Page;
|
use BookStack\Entities\Models\Page;
|
||||||
use BookStack\Exceptions\ImageUploadException;
|
use BookStack\Exceptions\ImageUploadException;
|
||||||
use ErrorException;
|
|
||||||
use Exception;
|
use Exception;
|
||||||
use GuzzleHttp\Psr7\Utils;
|
|
||||||
use Illuminate\Contracts\Cache\Repository as Cache;
|
|
||||||
use Illuminate\Contracts\Filesystem\FileNotFoundException;
|
|
||||||
use Illuminate\Contracts\Filesystem\Filesystem as Storage;
|
|
||||||
use Illuminate\Filesystem\FilesystemAdapter;
|
|
||||||
use Illuminate\Filesystem\FilesystemManager;
|
|
||||||
use Illuminate\Support\Facades\DB;
|
use Illuminate\Support\Facades\DB;
|
||||||
use Illuminate\Support\Facades\Log;
|
use Illuminate\Support\Facades\Log;
|
||||||
use Illuminate\Support\Str;
|
use Illuminate\Support\Str;
|
||||||
use Intervention\Image\Exception\NotSupportedException;
|
|
||||||
use Intervention\Image\Image as InterventionImage;
|
|
||||||
use Intervention\Image\ImageManager;
|
|
||||||
use League\Flysystem\WhitespacePathNormalizer;
|
|
||||||
use Psr\SimpleCache\InvalidArgumentException;
|
|
||||||
use Symfony\Component\HttpFoundation\File\UploadedFile;
|
use Symfony\Component\HttpFoundation\File\UploadedFile;
|
||||||
use Symfony\Component\HttpFoundation\StreamedResponse;
|
use Symfony\Component\HttpFoundation\StreamedResponse;
|
||||||
|
|
||||||
class ImageService
|
class ImageService
|
||||||
{
|
{
|
||||||
protected ImageManager $imageTool;
|
|
||||||
protected Cache $cache;
|
|
||||||
protected FilesystemManager $fileSystem;
|
|
||||||
|
|
||||||
protected static array $supportedExtensions = ['jpg', 'jpeg', 'png', 'gif', 'webp'];
|
protected static array $supportedExtensions = ['jpg', 'jpeg', 'png', 'gif', 'webp'];
|
||||||
|
|
||||||
public function __construct(ImageManager $imageTool, FilesystemManager $fileSystem, Cache $cache)
|
public function __construct(
|
||||||
{
|
protected ImageStorage $storage,
|
||||||
$this->imageTool = $imageTool;
|
protected ImageResizer $resizer,
|
||||||
$this->fileSystem = $fileSystem;
|
) {
|
||||||
$this->cache = $cache;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Get the storage that will be used for storing images.
|
|
||||||
*/
|
|
||||||
protected function getStorageDisk(string $imageType = ''): Storage
|
|
||||||
{
|
|
||||||
return $this->fileSystem->disk($this->getStorageDiskName($imageType));
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Check if local secure image storage (Fetched behind authentication)
|
|
||||||
* is currently active in the instance.
|
|
||||||
*/
|
|
||||||
protected function usingSecureImages(string $imageType = 'gallery'): bool
|
|
||||||
{
|
|
||||||
return $this->getStorageDiskName($imageType) === 'local_secure_images';
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Check if "local secure restricted" (Fetched behind auth, with permissions enforced)
|
|
||||||
* is currently active in the instance.
|
|
||||||
*/
|
|
||||||
protected function usingSecureRestrictedImages()
|
|
||||||
{
|
|
||||||
return config('filesystems.images') === 'local_secure_restricted';
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Change the originally provided path to fit any disk-specific requirements.
|
|
||||||
* This also ensures the path is kept to the expected root folders.
|
|
||||||
*/
|
|
||||||
protected function adjustPathForStorageDisk(string $path, string $imageType = ''): string
|
|
||||||
{
|
|
||||||
$path = (new WhitespacePathNormalizer())->normalizePath(str_replace('uploads/images/', '', $path));
|
|
||||||
|
|
||||||
if ($this->usingSecureImages($imageType)) {
|
|
||||||
return $path;
|
|
||||||
}
|
|
||||||
|
|
||||||
return 'uploads/images/' . $path;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Get the name of the storage disk to use.
|
|
||||||
*/
|
|
||||||
protected function getStorageDiskName(string $imageType): string
|
|
||||||
{
|
|
||||||
$storageType = config('filesystems.images');
|
|
||||||
$localSecureInUse = ($storageType === 'local_secure' || $storageType === 'local_secure_restricted');
|
|
||||||
|
|
||||||
// Ensure system images (App logo) are uploaded to a public space
|
|
||||||
if ($imageType === 'system' && $localSecureInUse) {
|
|
||||||
return 'local';
|
|
||||||
}
|
|
||||||
|
|
||||||
// Rename local_secure options to get our image specific storage driver which
|
|
||||||
// is scoped to the relevant image directories.
|
|
||||||
if ($localSecureInUse) {
|
|
||||||
return 'local_secure_images';
|
|
||||||
}
|
|
||||||
|
|
||||||
return $storageType;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Saves a new image from an upload.
|
* Saves a new image from an upload.
|
||||||
*
|
*
|
||||||
* @throws ImageUploadException
|
* @throws ImageUploadException
|
||||||
*
|
|
||||||
* @return mixed
|
|
||||||
*/
|
*/
|
||||||
public function saveNewFromUpload(
|
public function saveNewFromUpload(
|
||||||
UploadedFile $uploadedFile,
|
UploadedFile $uploadedFile,
|
||||||
@ -117,12 +35,12 @@ class ImageService
|
|||||||
int $resizeWidth = null,
|
int $resizeWidth = null,
|
||||||
int $resizeHeight = null,
|
int $resizeHeight = null,
|
||||||
bool $keepRatio = true
|
bool $keepRatio = true
|
||||||
) {
|
): Image {
|
||||||
$imageName = $uploadedFile->getClientOriginalName();
|
$imageName = $uploadedFile->getClientOriginalName();
|
||||||
$imageData = file_get_contents($uploadedFile->getRealPath());
|
$imageData = file_get_contents($uploadedFile->getRealPath());
|
||||||
|
|
||||||
if ($resizeWidth !== null || $resizeHeight !== null) {
|
if ($resizeWidth !== null || $resizeHeight !== null) {
|
||||||
$imageData = $this->resizeImage($imageData, $resizeWidth, $resizeHeight, $keepRatio);
|
$imageData = $this->resizer->resizeImageData($imageData, $resizeWidth, $resizeHeight, $keepRatio);
|
||||||
}
|
}
|
||||||
|
|
||||||
return $this->saveNew($imageName, $imageData, $type, $uploadedTo);
|
return $this->saveNew($imageName, $imageData, $type, $uploadedTo);
|
||||||
@ -151,13 +69,13 @@ class ImageService
|
|||||||
*/
|
*/
|
||||||
public function saveNew(string $imageName, string $imageData, string $type, int $uploadedTo = 0): Image
|
public function saveNew(string $imageName, string $imageData, string $type, int $uploadedTo = 0): Image
|
||||||
{
|
{
|
||||||
$storage = $this->getStorageDisk($type);
|
$disk = $this->storage->getDisk($type);
|
||||||
$secureUploads = setting('app-secure-images');
|
$secureUploads = setting('app-secure-images');
|
||||||
$fileName = $this->cleanImageFileName($imageName);
|
$fileName = $this->storage->cleanImageFileName($imageName);
|
||||||
|
|
||||||
$imagePath = '/uploads/images/' . $type . '/' . date('Y-m') . '/';
|
$imagePath = '/uploads/images/' . $type . '/' . date('Y-m') . '/';
|
||||||
|
|
||||||
while ($storage->exists($this->adjustPathForStorageDisk($imagePath . $fileName, $type))) {
|
while ($disk->exists($imagePath . $fileName)) {
|
||||||
$fileName = Str::random(3) . $fileName;
|
$fileName = Str::random(3) . $fileName;
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -167,7 +85,7 @@ class ImageService
|
|||||||
}
|
}
|
||||||
|
|
||||||
try {
|
try {
|
||||||
$this->saveImageDataInPublicSpace($storage, $this->adjustPathForStorageDisk($fullPath, $type), $imageData);
|
$disk->put($fullPath, $imageData, true);
|
||||||
} catch (Exception $e) {
|
} catch (Exception $e) {
|
||||||
Log::error('Error when attempting image upload:' . $e->getMessage());
|
Log::error('Error when attempting image upload:' . $e->getMessage());
|
||||||
|
|
||||||
@ -177,7 +95,7 @@ class ImageService
|
|||||||
$imageDetails = [
|
$imageDetails = [
|
||||||
'name' => $imageName,
|
'name' => $imageName,
|
||||||
'path' => $fullPath,
|
'path' => $fullPath,
|
||||||
'url' => $this->getPublicUrl($fullPath),
|
'url' => $this->storage->getPublicUrl($fullPath),
|
||||||
'type' => $type,
|
'type' => $type,
|
||||||
'uploaded_to' => $uploadedTo,
|
'uploaded_to' => $uploadedTo,
|
||||||
];
|
];
|
||||||
@ -194,214 +112,26 @@ class ImageService
|
|||||||
return $image;
|
return $image;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Replace an existing image file in the system using the given file.
|
||||||
|
*/
|
||||||
public function replaceExistingFromUpload(string $path, string $type, UploadedFile $file): void
|
public function replaceExistingFromUpload(string $path, string $type, UploadedFile $file): void
|
||||||
{
|
{
|
||||||
$imageData = file_get_contents($file->getRealPath());
|
$imageData = file_get_contents($file->getRealPath());
|
||||||
$storage = $this->getStorageDisk($type);
|
$disk = $this->storage->getDisk($type);
|
||||||
$adjustedPath = $this->adjustPathForStorageDisk($path, $type);
|
$disk->put($path, $imageData);
|
||||||
$storage->put($adjustedPath, $imageData);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Save image data for the given path in the public space, if possible,
|
|
||||||
* for the provided storage mechanism.
|
|
||||||
*/
|
|
||||||
protected function saveImageDataInPublicSpace(Storage $storage, string $path, string $data)
|
|
||||||
{
|
|
||||||
$storage->put($path, $data);
|
|
||||||
|
|
||||||
// Set visibility when a non-AWS-s3, s3-like storage option is in use.
|
|
||||||
// Done since this call can break s3-like services but desired for other image stores.
|
|
||||||
// Attempting to set ACL during above put request requires different permissions
|
|
||||||
// hence would technically be a breaking change for actual s3 usage.
|
|
||||||
$usingS3 = strtolower(config('filesystems.images')) === 's3';
|
|
||||||
$usingS3Like = $usingS3 && !is_null(config('filesystems.disks.s3.endpoint'));
|
|
||||||
if (!$usingS3Like) {
|
|
||||||
$storage->setVisibility($path, 'public');
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Clean up an image file name to be both URL and storage safe.
|
|
||||||
*/
|
|
||||||
protected function cleanImageFileName(string $name): string
|
|
||||||
{
|
|
||||||
$name = str_replace(' ', '-', $name);
|
|
||||||
$nameParts = explode('.', $name);
|
|
||||||
$extension = array_pop($nameParts);
|
|
||||||
$name = implode('-', $nameParts);
|
|
||||||
$name = Str::slug($name);
|
|
||||||
|
|
||||||
if (strlen($name) === 0) {
|
|
||||||
$name = Str::random(10);
|
|
||||||
}
|
|
||||||
|
|
||||||
return $name . '.' . $extension;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Checks if the image is a gif. Returns true if it is, else false.
|
|
||||||
*/
|
|
||||||
protected function isGif(Image $image): bool
|
|
||||||
{
|
|
||||||
return strtolower(pathinfo($image->path, PATHINFO_EXTENSION)) === 'gif';
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Check if the given image and image data is apng.
|
|
||||||
*/
|
|
||||||
protected function isApngData(Image $image, string &$imageData): bool
|
|
||||||
{
|
|
||||||
$isPng = strtolower(pathinfo($image->path, PATHINFO_EXTENSION)) === 'png';
|
|
||||||
if (!$isPng) {
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
|
|
||||||
$initialHeader = substr($imageData, 0, strpos($imageData, 'IDAT'));
|
|
||||||
|
|
||||||
return strpos($initialHeader, 'acTL') !== false;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Get the thumbnail for an image.
|
|
||||||
* If $keepRatio is true only the width will be used.
|
|
||||||
* Checks the cache then storage to avoid creating / accessing the filesystem on every check.
|
|
||||||
*
|
|
||||||
* @throws Exception
|
|
||||||
* @throws InvalidArgumentException
|
|
||||||
*/
|
|
||||||
public function getThumbnail(Image $image, ?int $width, ?int $height, bool $keepRatio = false, bool $forceCreate = false): string
|
|
||||||
{
|
|
||||||
// Do not resize GIF images where we're not cropping
|
|
||||||
if ($keepRatio && $this->isGif($image)) {
|
|
||||||
return $this->getPublicUrl($image->path);
|
|
||||||
}
|
|
||||||
|
|
||||||
$thumbDirName = '/' . ($keepRatio ? 'scaled-' : 'thumbs-') . $width . '-' . $height . '/';
|
|
||||||
$imagePath = $image->path;
|
|
||||||
$thumbFilePath = dirname($imagePath) . $thumbDirName . basename($imagePath);
|
|
||||||
|
|
||||||
$thumbCacheKey = 'images::' . $image->id . '::' . $thumbFilePath;
|
|
||||||
|
|
||||||
// Return path if in cache
|
|
||||||
$cachedThumbPath = $this->cache->get($thumbCacheKey);
|
|
||||||
if ($cachedThumbPath && !$forceCreate) {
|
|
||||||
return $this->getPublicUrl($cachedThumbPath);
|
|
||||||
}
|
|
||||||
|
|
||||||
// If thumbnail has already been generated, serve that and cache path
|
|
||||||
$storage = $this->getStorageDisk($image->type);
|
|
||||||
if (!$forceCreate && $storage->exists($this->adjustPathForStorageDisk($thumbFilePath, $image->type))) {
|
|
||||||
$this->cache->put($thumbCacheKey, $thumbFilePath, 60 * 60 * 72);
|
|
||||||
|
|
||||||
return $this->getPublicUrl($thumbFilePath);
|
|
||||||
}
|
|
||||||
|
|
||||||
$imageData = $storage->get($this->adjustPathForStorageDisk($imagePath, $image->type));
|
|
||||||
|
|
||||||
// Do not resize apng images where we're not cropping
|
|
||||||
if ($keepRatio && $this->isApngData($image, $imageData)) {
|
|
||||||
$this->cache->put($thumbCacheKey, $image->path, 60 * 60 * 72);
|
|
||||||
|
|
||||||
return $this->getPublicUrl($image->path);
|
|
||||||
}
|
|
||||||
|
|
||||||
// If not in cache and thumbnail does not exist, generate thumb and cache path
|
|
||||||
$thumbData = $this->resizeImage($imageData, $width, $height, $keepRatio);
|
|
||||||
$this->saveImageDataInPublicSpace($storage, $this->adjustPathForStorageDisk($thumbFilePath, $image->type), $thumbData);
|
|
||||||
$this->cache->put($thumbCacheKey, $thumbFilePath, 60 * 60 * 72);
|
|
||||||
|
|
||||||
return $this->getPublicUrl($thumbFilePath);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Resize the image of given data to the specified size, and return the new image data.
|
|
||||||
*
|
|
||||||
* @throws ImageUploadException
|
|
||||||
*/
|
|
||||||
protected function resizeImage(string $imageData, ?int $width, ?int $height, bool $keepRatio): string
|
|
||||||
{
|
|
||||||
try {
|
|
||||||
$thumb = $this->imageTool->make($imageData);
|
|
||||||
} catch (ErrorException | NotSupportedException $e) {
|
|
||||||
throw new ImageUploadException(trans('errors.cannot_create_thumbs'));
|
|
||||||
}
|
|
||||||
|
|
||||||
$this->orientImageToOriginalExif($thumb, $imageData);
|
|
||||||
|
|
||||||
if ($keepRatio) {
|
|
||||||
$thumb->resize($width, $height, function ($constraint) {
|
|
||||||
$constraint->aspectRatio();
|
|
||||||
$constraint->upsize();
|
|
||||||
});
|
|
||||||
} else {
|
|
||||||
$thumb->fit($width, $height);
|
|
||||||
}
|
|
||||||
|
|
||||||
$thumbData = (string) $thumb->encode();
|
|
||||||
|
|
||||||
// Use original image data if we're keeping the ratio
|
|
||||||
// and the resizing does not save any space.
|
|
||||||
if ($keepRatio && strlen($thumbData) > strlen($imageData)) {
|
|
||||||
return $imageData;
|
|
||||||
}
|
|
||||||
|
|
||||||
return $thumbData;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Orientate the given intervention image based upon the given original image data.
|
|
||||||
* Intervention does have an `orientate` method but the exif data it needs is lost before it
|
|
||||||
* can be used (At least when created using binary string data) so we need to do some
|
|
||||||
* implementation on our side to use the original image data.
|
|
||||||
* Bulk of logic taken from: https://github.com/Intervention/image/blob/b734a4988b2148e7d10364b0609978a88d277536/src/Intervention/Image/Commands/OrientateCommand.php
|
|
||||||
* Copyright (c) Oliver Vogel, MIT License.
|
|
||||||
*/
|
|
||||||
protected function orientImageToOriginalExif(InterventionImage $image, string $originalData): void
|
|
||||||
{
|
|
||||||
if (!extension_loaded('exif')) {
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
$stream = Utils::streamFor($originalData)->detach();
|
|
||||||
$exif = @exif_read_data($stream);
|
|
||||||
$orientation = $exif ? ($exif['Orientation'] ?? null) : null;
|
|
||||||
|
|
||||||
switch ($orientation) {
|
|
||||||
case 2:
|
|
||||||
$image->flip();
|
|
||||||
break;
|
|
||||||
case 3:
|
|
||||||
$image->rotate(180);
|
|
||||||
break;
|
|
||||||
case 4:
|
|
||||||
$image->rotate(180)->flip();
|
|
||||||
break;
|
|
||||||
case 5:
|
|
||||||
$image->rotate(270)->flip();
|
|
||||||
break;
|
|
||||||
case 6:
|
|
||||||
$image->rotate(270);
|
|
||||||
break;
|
|
||||||
case 7:
|
|
||||||
$image->rotate(90)->flip();
|
|
||||||
break;
|
|
||||||
case 8:
|
|
||||||
$image->rotate(90);
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Get the raw data content from an image.
|
* Get the raw data content from an image.
|
||||||
*
|
*
|
||||||
* @throws FileNotFoundException
|
* @throws Exception
|
||||||
*/
|
*/
|
||||||
public function getImageData(Image $image): string
|
public function getImageData(Image $image): string
|
||||||
{
|
{
|
||||||
$storage = $this->getStorageDisk();
|
$disk = $this->storage->getDisk();
|
||||||
|
|
||||||
return $storage->get($this->adjustPathForStorageDisk($image->path, $image->type));
|
return $disk->get($image->path);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -409,53 +139,13 @@ class ImageService
|
|||||||
*
|
*
|
||||||
* @throws Exception
|
* @throws Exception
|
||||||
*/
|
*/
|
||||||
public function destroy(Image $image)
|
public function destroy(Image $image): void
|
||||||
{
|
{
|
||||||
$this->destroyImagesFromPath($image->path, $image->type);
|
$disk = $this->storage->getDisk($image->type);
|
||||||
|
$disk->destroyAllMatchingNameFromPath($image->path);
|
||||||
$image->delete();
|
$image->delete();
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Destroys an image at the given path.
|
|
||||||
* Searches for image thumbnails in addition to main provided path.
|
|
||||||
*/
|
|
||||||
protected function destroyImagesFromPath(string $path, string $imageType): bool
|
|
||||||
{
|
|
||||||
$path = $this->adjustPathForStorageDisk($path, $imageType);
|
|
||||||
$storage = $this->getStorageDisk($imageType);
|
|
||||||
|
|
||||||
$imageFolder = dirname($path);
|
|
||||||
$imageFileName = basename($path);
|
|
||||||
$allImages = collect($storage->allFiles($imageFolder));
|
|
||||||
|
|
||||||
// Delete image files
|
|
||||||
$imagesToDelete = $allImages->filter(function ($imagePath) use ($imageFileName) {
|
|
||||||
return basename($imagePath) === $imageFileName;
|
|
||||||
});
|
|
||||||
$storage->delete($imagesToDelete->all());
|
|
||||||
|
|
||||||
// Cleanup of empty folders
|
|
||||||
$foldersInvolved = array_merge([$imageFolder], $storage->directories($imageFolder));
|
|
||||||
foreach ($foldersInvolved as $directory) {
|
|
||||||
if ($this->isFolderEmpty($storage, $directory)) {
|
|
||||||
$storage->deleteDirectory($directory);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return true;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Check whether a folder is empty.
|
|
||||||
*/
|
|
||||||
protected function isFolderEmpty(Storage $storage, string $path): bool
|
|
||||||
{
|
|
||||||
$files = $storage->files($path);
|
|
||||||
$folders = $storage->directories($path);
|
|
||||||
|
|
||||||
return count($files) === 0 && count($folders) === 0;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Delete gallery and drawings that are not within HTML content of pages or page revisions.
|
* Delete gallery and drawings that are not within HTML content of pages or page revisions.
|
||||||
* Checks based off of only the image name.
|
* Checks based off of only the image name.
|
||||||
@ -463,7 +153,7 @@ class ImageService
|
|||||||
*
|
*
|
||||||
* Returns the path of the images that would be/have been deleted.
|
* Returns the path of the images that would be/have been deleted.
|
||||||
*/
|
*/
|
||||||
public function deleteUnusedImages(bool $checkRevisions = true, bool $dryRun = true)
|
public function deleteUnusedImages(bool $checkRevisions = true, bool $dryRun = true): array
|
||||||
{
|
{
|
||||||
$types = ['gallery', 'drawio'];
|
$types = ['gallery', 'drawio'];
|
||||||
$deletedPaths = [];
|
$deletedPaths = [];
|
||||||
@ -499,36 +189,32 @@ class ImageService
|
|||||||
* Attempts to convert the URL to a system storage url then
|
* Attempts to convert the URL to a system storage url then
|
||||||
* fetch the data from the disk or storage location.
|
* fetch the data from the disk or storage location.
|
||||||
* Returns null if the image data cannot be fetched from storage.
|
* Returns null if the image data cannot be fetched from storage.
|
||||||
*
|
|
||||||
* @throws FileNotFoundException
|
|
||||||
*/
|
*/
|
||||||
public function imageUriToBase64(string $uri): ?string
|
public function imageUrlToBase64(string $url): ?string
|
||||||
{
|
{
|
||||||
$storagePath = $this->imageUrlToStoragePath($uri);
|
$storagePath = $this->storage->urlToPath($url);
|
||||||
if (empty($uri) || is_null($storagePath)) {
|
if (empty($url) || is_null($storagePath)) {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
$storagePath = $this->adjustPathForStorageDisk($storagePath);
|
|
||||||
|
|
||||||
// Apply access control when local_secure_restricted images are active
|
// Apply access control when local_secure_restricted images are active
|
||||||
if ($this->usingSecureRestrictedImages()) {
|
if ($this->storage->usingSecureRestrictedImages()) {
|
||||||
if (!$this->checkUserHasAccessToRelationOfImageAtPath($storagePath)) {
|
if (!$this->checkUserHasAccessToRelationOfImageAtPath($storagePath)) {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
$storage = $this->getStorageDisk();
|
$disk = $this->storage->getDisk();
|
||||||
$imageData = null;
|
$imageData = null;
|
||||||
if ($storage->exists($storagePath)) {
|
if ($disk->exists($storagePath)) {
|
||||||
$imageData = $storage->get($storagePath);
|
$imageData = $disk->get($storagePath);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (is_null($imageData)) {
|
if (is_null($imageData)) {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
$extension = pathinfo($uri, PATHINFO_EXTENSION);
|
$extension = pathinfo($url, PATHINFO_EXTENSION);
|
||||||
if ($extension === 'svg') {
|
if ($extension === 'svg') {
|
||||||
$extension = 'svg+xml';
|
$extension = 'svg+xml';
|
||||||
}
|
}
|
||||||
@ -543,20 +229,18 @@ class ImageService
|
|||||||
*/
|
*/
|
||||||
public function pathAccessibleInLocalSecure(string $imagePath): bool
|
public function pathAccessibleInLocalSecure(string $imagePath): bool
|
||||||
{
|
{
|
||||||
/** @var FilesystemAdapter $disk */
|
$disk = $this->storage->getDisk('gallery');
|
||||||
$disk = $this->getStorageDisk('gallery');
|
|
||||||
|
|
||||||
if ($this->usingSecureRestrictedImages() && !$this->checkUserHasAccessToRelationOfImageAtPath($imagePath)) {
|
if ($this->storage->usingSecureRestrictedImages() && !$this->checkUserHasAccessToRelationOfImageAtPath($imagePath)) {
|
||||||
return false;
|
return false;
|
||||||
}
|
}
|
||||||
|
|
||||||
// Check local_secure is active
|
// Check local_secure is active
|
||||||
return $this->usingSecureImages()
|
return $disk->usingSecureImages()
|
||||||
&& $disk instanceof FilesystemAdapter
|
|
||||||
// Check the image file exists
|
// Check the image file exists
|
||||||
&& $disk->exists($imagePath)
|
&& $disk->exists($imagePath)
|
||||||
// Check the file is likely an image file
|
// Check the file is likely an image file
|
||||||
&& strpos($disk->mimeType($imagePath), 'image/') === 0;
|
&& str_starts_with($disk->mimeType($imagePath), 'image/');
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -565,14 +249,14 @@ class ImageService
|
|||||||
*/
|
*/
|
||||||
protected function checkUserHasAccessToRelationOfImageAtPath(string $path): bool
|
protected function checkUserHasAccessToRelationOfImageAtPath(string $path): bool
|
||||||
{
|
{
|
||||||
if (strpos($path, '/uploads/images/') === 0) {
|
if (str_starts_with($path, 'uploads/images/')) {
|
||||||
$path = substr($path, 15);
|
$path = substr($path, 15);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Strip thumbnail element from path if existing
|
// Strip thumbnail element from path if existing
|
||||||
$originalPathSplit = array_filter(explode('/', $path), function (string $part) {
|
$originalPathSplit = array_filter(explode('/', $path), function (string $part) {
|
||||||
$resizedDir = (strpos($part, 'thumbs-') === 0 || strpos($part, 'scaled-') === 0);
|
$resizedDir = (str_starts_with($part, 'thumbs-') || str_starts_with($part, 'scaled-'));
|
||||||
$missingExtension = strpos($part, '.') === false;
|
$missingExtension = !str_contains($part, '.');
|
||||||
|
|
||||||
return !($resizedDir && $missingExtension);
|
return !($resizedDir && $missingExtension);
|
||||||
});
|
});
|
||||||
@ -613,7 +297,7 @@ class ImageService
|
|||||||
*/
|
*/
|
||||||
public function streamImageFromStorageResponse(string $imageType, string $path): StreamedResponse
|
public function streamImageFromStorageResponse(string $imageType, string $path): StreamedResponse
|
||||||
{
|
{
|
||||||
$disk = $this->getStorageDisk($imageType);
|
$disk = $this->storage->getDisk($imageType);
|
||||||
|
|
||||||
return $disk->response($path);
|
return $disk->response($path);
|
||||||
}
|
}
|
||||||
@ -627,64 +311,4 @@ class ImageService
|
|||||||
{
|
{
|
||||||
return in_array($extension, static::$supportedExtensions);
|
return in_array($extension, static::$supportedExtensions);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Get a storage path for the given image URL.
|
|
||||||
* Ensures the path will start with "uploads/images".
|
|
||||||
* Returns null if the url cannot be resolved to a local URL.
|
|
||||||
*/
|
|
||||||
private function imageUrlToStoragePath(string $url): ?string
|
|
||||||
{
|
|
||||||
$url = ltrim(trim($url), '/');
|
|
||||||
|
|
||||||
// Handle potential relative paths
|
|
||||||
$isRelative = strpos($url, 'http') !== 0;
|
|
||||||
if ($isRelative) {
|
|
||||||
if (strpos(strtolower($url), 'uploads/images') === 0) {
|
|
||||||
return trim($url, '/');
|
|
||||||
}
|
|
||||||
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
|
|
||||||
// Handle local images based on paths on the same domain
|
|
||||||
$potentialHostPaths = [
|
|
||||||
url('uploads/images/'),
|
|
||||||
$this->getPublicUrl('/uploads/images/'),
|
|
||||||
];
|
|
||||||
|
|
||||||
foreach ($potentialHostPaths as $potentialBasePath) {
|
|
||||||
$potentialBasePath = strtolower($potentialBasePath);
|
|
||||||
if (strpos(strtolower($url), $potentialBasePath) === 0) {
|
|
||||||
return 'uploads/images/' . trim(substr($url, strlen($potentialBasePath)), '/');
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Gets a public facing url for an image by checking relevant environment variables.
|
|
||||||
* If s3-style store is in use it will default to guessing a public bucket URL.
|
|
||||||
*/
|
|
||||||
private function getPublicUrl(string $filePath): string
|
|
||||||
{
|
|
||||||
$storageUrl = config('filesystems.url');
|
|
||||||
|
|
||||||
// Get the standard public s3 url if s3 is set as storage type
|
|
||||||
// Uses the nice, short URL if bucket name has no periods in otherwise the longer
|
|
||||||
// region-based url will be used to prevent http issues.
|
|
||||||
if (!$storageUrl && config('filesystems.images') === 's3') {
|
|
||||||
$storageDetails = config('filesystems.disks.s3');
|
|
||||||
if (strpos($storageDetails['bucket'], '.') === false) {
|
|
||||||
$storageUrl = 'https://' . $storageDetails['bucket'] . '.s3.amazonaws.com';
|
|
||||||
} else {
|
|
||||||
$storageUrl = 'https://s3-' . $storageDetails['region'] . '.amazonaws.com/' . $storageDetails['bucket'];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
$basePath = $storageUrl ?: url('/');
|
|
||||||
|
|
||||||
return rtrim($basePath, '/') . $filePath;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
136
app/Uploads/ImageStorage.php
Normal file
136
app/Uploads/ImageStorage.php
Normal file
@ -0,0 +1,136 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace BookStack\Uploads;
|
||||||
|
|
||||||
|
use Illuminate\Filesystem\FilesystemManager;
|
||||||
|
use Illuminate\Support\Str;
|
||||||
|
|
||||||
|
class ImageStorage
|
||||||
|
{
|
||||||
|
public function __construct(
|
||||||
|
protected FilesystemManager $fileSystem,
|
||||||
|
) {
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the storage disk for the given image type.
|
||||||
|
*/
|
||||||
|
public function getDisk(string $imageType = ''): ImageStorageDisk
|
||||||
|
{
|
||||||
|
$diskName = $this->getDiskName($imageType);
|
||||||
|
|
||||||
|
return new ImageStorageDisk(
|
||||||
|
$diskName,
|
||||||
|
$this->fileSystem->disk($diskName),
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if "local secure restricted" (Fetched behind auth, with permissions enforced)
|
||||||
|
* is currently active in the instance.
|
||||||
|
*/
|
||||||
|
public function usingSecureRestrictedImages(): bool
|
||||||
|
{
|
||||||
|
return config('filesystems.images') === 'local_secure_restricted';
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Clean up an image file name to be both URL and storage safe.
|
||||||
|
*/
|
||||||
|
public function cleanImageFileName(string $name): string
|
||||||
|
{
|
||||||
|
$name = str_replace(' ', '-', $name);
|
||||||
|
$nameParts = explode('.', $name);
|
||||||
|
$extension = array_pop($nameParts);
|
||||||
|
$name = implode('-', $nameParts);
|
||||||
|
$name = Str::slug($name);
|
||||||
|
|
||||||
|
if (strlen($name) === 0) {
|
||||||
|
$name = Str::random(10);
|
||||||
|
}
|
||||||
|
|
||||||
|
return $name . '.' . $extension;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the name of the storage disk to use.
|
||||||
|
*/
|
||||||
|
protected function getDiskName(string $imageType): string
|
||||||
|
{
|
||||||
|
$storageType = strtolower(config('filesystems.images'));
|
||||||
|
$localSecureInUse = ($storageType === 'local_secure' || $storageType === 'local_secure_restricted');
|
||||||
|
|
||||||
|
// Ensure system images (App logo) are uploaded to a public space
|
||||||
|
if ($imageType === 'system' && $localSecureInUse) {
|
||||||
|
return 'local';
|
||||||
|
}
|
||||||
|
|
||||||
|
// Rename local_secure options to get our image specific storage driver which
|
||||||
|
// is scoped to the relevant image directories.
|
||||||
|
if ($localSecureInUse) {
|
||||||
|
return 'local_secure_images';
|
||||||
|
}
|
||||||
|
|
||||||
|
return $storageType;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get a storage path for the given image URL.
|
||||||
|
* Ensures the path will start with "uploads/images".
|
||||||
|
* Returns null if the url cannot be resolved to a local URL.
|
||||||
|
*/
|
||||||
|
public function urlToPath(string $url): ?string
|
||||||
|
{
|
||||||
|
$url = ltrim(trim($url), '/');
|
||||||
|
|
||||||
|
// Handle potential relative paths
|
||||||
|
$isRelative = !str_starts_with($url, 'http');
|
||||||
|
if ($isRelative) {
|
||||||
|
if (str_starts_with(strtolower($url), 'uploads/images')) {
|
||||||
|
return trim($url, '/');
|
||||||
|
}
|
||||||
|
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Handle local images based on paths on the same domain
|
||||||
|
$potentialHostPaths = [
|
||||||
|
url('uploads/images/'),
|
||||||
|
$this->getPublicUrl('/uploads/images/'),
|
||||||
|
];
|
||||||
|
|
||||||
|
foreach ($potentialHostPaths as $potentialBasePath) {
|
||||||
|
$potentialBasePath = strtolower($potentialBasePath);
|
||||||
|
if (str_starts_with(strtolower($url), $potentialBasePath)) {
|
||||||
|
return 'uploads/images/' . trim(substr($url, strlen($potentialBasePath)), '/');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Gets a public facing url for an image by checking relevant environment variables.
|
||||||
|
* If s3-style store is in use it will default to guessing a public bucket URL.
|
||||||
|
*/
|
||||||
|
public function getPublicUrl(string $filePath): string
|
||||||
|
{
|
||||||
|
$storageUrl = config('filesystems.url');
|
||||||
|
|
||||||
|
// Get the standard public s3 url if s3 is set as storage type
|
||||||
|
// Uses the nice, short URL if bucket name has no periods in otherwise the longer
|
||||||
|
// region-based url will be used to prevent http issues.
|
||||||
|
if (!$storageUrl && config('filesystems.images') === 's3') {
|
||||||
|
$storageDetails = config('filesystems.disks.s3');
|
||||||
|
if (!str_contains($storageDetails['bucket'], '.')) {
|
||||||
|
$storageUrl = 'https://' . $storageDetails['bucket'] . '.s3.amazonaws.com';
|
||||||
|
} else {
|
||||||
|
$storageUrl = 'https://s3-' . $storageDetails['region'] . '.amazonaws.com/' . $storageDetails['bucket'];
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
$basePath = $storageUrl ?: url('/');
|
||||||
|
|
||||||
|
return rtrim($basePath, '/') . $filePath;
|
||||||
|
}
|
||||||
|
}
|
140
app/Uploads/ImageStorageDisk.php
Normal file
140
app/Uploads/ImageStorageDisk.php
Normal file
@ -0,0 +1,140 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace BookStack\Uploads;
|
||||||
|
|
||||||
|
use Illuminate\Contracts\Filesystem\Filesystem;
|
||||||
|
use Illuminate\Filesystem\FilesystemAdapter;
|
||||||
|
use League\Flysystem\WhitespacePathNormalizer;
|
||||||
|
use Symfony\Component\HttpFoundation\StreamedResponse;
|
||||||
|
|
||||||
|
class ImageStorageDisk
|
||||||
|
{
|
||||||
|
public function __construct(
|
||||||
|
protected string $diskName,
|
||||||
|
protected Filesystem $filesystem,
|
||||||
|
) {
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if local secure image storage (Fetched behind authentication)
|
||||||
|
* is currently active in the instance.
|
||||||
|
*/
|
||||||
|
public function usingSecureImages(): bool
|
||||||
|
{
|
||||||
|
return $this->diskName === 'local_secure_images';
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Change the originally provided path to fit any disk-specific requirements.
|
||||||
|
* This also ensures the path is kept to the expected root folders.
|
||||||
|
*/
|
||||||
|
protected function adjustPathForDisk(string $path): string
|
||||||
|
{
|
||||||
|
$path = (new WhitespacePathNormalizer())->normalizePath(str_replace('uploads/images/', '', $path));
|
||||||
|
|
||||||
|
if ($this->usingSecureImages()) {
|
||||||
|
return $path;
|
||||||
|
}
|
||||||
|
|
||||||
|
return 'uploads/images/' . $path;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if a file at the given path exists.
|
||||||
|
*/
|
||||||
|
public function exists(string $path): bool
|
||||||
|
{
|
||||||
|
return $this->filesystem->exists($this->adjustPathForDisk($path));
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the file at the given path.
|
||||||
|
*/
|
||||||
|
public function get(string $path): ?string
|
||||||
|
{
|
||||||
|
return $this->filesystem->get($this->adjustPathForDisk($path));
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Save the given image data at the given path. Can choose to set
|
||||||
|
* the image as public which will update its visibility after saving.
|
||||||
|
*/
|
||||||
|
public function put(string $path, string $data, bool $makePublic = false): void
|
||||||
|
{
|
||||||
|
$path = $this->adjustPathForDisk($path);
|
||||||
|
$this->filesystem->put($path, $data);
|
||||||
|
|
||||||
|
// Set visibility when a non-AWS-s3, s3-like storage option is in use.
|
||||||
|
// Done since this call can break s3-like services but desired for other image stores.
|
||||||
|
// Attempting to set ACL during above put request requires different permissions
|
||||||
|
// hence would technically be a breaking change for actual s3 usage.
|
||||||
|
if ($makePublic && !$this->isS3Like()) {
|
||||||
|
$this->filesystem->setVisibility($path, 'public');
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Destroys an image at the given path.
|
||||||
|
* Searches for image thumbnails in addition to main provided path.
|
||||||
|
*/
|
||||||
|
public function destroyAllMatchingNameFromPath(string $path): void
|
||||||
|
{
|
||||||
|
$path = $this->adjustPathForDisk($path);
|
||||||
|
|
||||||
|
$imageFolder = dirname($path);
|
||||||
|
$imageFileName = basename($path);
|
||||||
|
$allImages = collect($this->filesystem->allFiles($imageFolder));
|
||||||
|
|
||||||
|
// Delete image files
|
||||||
|
$imagesToDelete = $allImages->filter(function ($imagePath) use ($imageFileName) {
|
||||||
|
return basename($imagePath) === $imageFileName;
|
||||||
|
});
|
||||||
|
$this->filesystem->delete($imagesToDelete->all());
|
||||||
|
|
||||||
|
// Cleanup of empty folders
|
||||||
|
$foldersInvolved = array_merge([$imageFolder], $this->filesystem->directories($imageFolder));
|
||||||
|
foreach ($foldersInvolved as $directory) {
|
||||||
|
if ($this->isFolderEmpty($directory)) {
|
||||||
|
$this->filesystem->deleteDirectory($directory);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get the mime type of the file at the given path.
|
||||||
|
* Only works for local filesystem adapters.
|
||||||
|
*/
|
||||||
|
public function mimeType(string $path): string
|
||||||
|
{
|
||||||
|
$path = $this->adjustPathForDisk($path);
|
||||||
|
return $this->filesystem instanceof FilesystemAdapter ? $this->filesystem->mimeType($path) : '';
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get a stream response for the image at the given path.
|
||||||
|
*/
|
||||||
|
public function response(string $path): StreamedResponse
|
||||||
|
{
|
||||||
|
return $this->filesystem->response($this->adjustPathForDisk($path));
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if the image storage in use is an S3-like (but not likely S3) external system.
|
||||||
|
*/
|
||||||
|
protected function isS3Like(): bool
|
||||||
|
{
|
||||||
|
$usingS3 = $this->diskName === 's3';
|
||||||
|
return $usingS3 && !is_null(config('filesystems.disks.s3.endpoint'));
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check whether a folder is empty.
|
||||||
|
*/
|
||||||
|
protected function isFolderEmpty(string $path): bool
|
||||||
|
{
|
||||||
|
$files = $this->filesystem->files($path);
|
||||||
|
$folders = $this->filesystem->directories($path);
|
||||||
|
|
||||||
|
return count($files) === 0 && count($folders) === 0;
|
||||||
|
}
|
||||||
|
}
|
@ -244,7 +244,7 @@ class User extends Model implements AuthenticatableContract, CanResetPasswordCon
|
|||||||
}
|
}
|
||||||
|
|
||||||
try {
|
try {
|
||||||
$avatar = $this->avatar ? url($this->avatar->getThumb($size, $size, false)) : $default;
|
$avatar = $this->avatar?->getThumb($size, $size, false) ?? $default;
|
||||||
} catch (Exception $err) {
|
} catch (Exception $err) {
|
||||||
$avatar = $default;
|
$avatar = $default;
|
||||||
}
|
}
|
||||||
|
58
app/Util/OutOfMemoryHandler.php
Normal file
58
app/Util/OutOfMemoryHandler.php
Normal file
@ -0,0 +1,58 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace BookStack\Util;
|
||||||
|
|
||||||
|
use BookStack\Exceptions\Handler;
|
||||||
|
use Illuminate\Contracts\Debug\ExceptionHandler;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Create a handler which runs the provided actions upon an
|
||||||
|
* out-of-memory event. This allows reserving of memory to allow
|
||||||
|
* the desired action to run as needed.
|
||||||
|
*
|
||||||
|
* Essentially provides a wrapper and memory reserving around the
|
||||||
|
* memory handling added to the default app error handler.
|
||||||
|
*/
|
||||||
|
class OutOfMemoryHandler
|
||||||
|
{
|
||||||
|
protected $onOutOfMemory;
|
||||||
|
protected string $memoryReserve = '';
|
||||||
|
|
||||||
|
public function __construct(callable $onOutOfMemory, int $memoryReserveMB = 4)
|
||||||
|
{
|
||||||
|
$this->onOutOfMemory = $onOutOfMemory;
|
||||||
|
|
||||||
|
$this->memoryReserve = str_repeat('x', $memoryReserveMB * 1_000_000);
|
||||||
|
$this->getHandler()->prepareForOutOfMemory(function () {
|
||||||
|
return $this->handle();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
protected function handle(): mixed
|
||||||
|
{
|
||||||
|
$result = null;
|
||||||
|
$this->memoryReserve = '';
|
||||||
|
|
||||||
|
if ($this->onOutOfMemory) {
|
||||||
|
$result = call_user_func($this->onOutOfMemory);
|
||||||
|
$this->forget();
|
||||||
|
}
|
||||||
|
|
||||||
|
return $result;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Forget the handler so no action is taken place on out of memory.
|
||||||
|
*/
|
||||||
|
public function forget(): void
|
||||||
|
{
|
||||||
|
$this->memoryReserve = '';
|
||||||
|
$this->onOutOfMemory = null;
|
||||||
|
$this->getHandler()->forgetOutOfMemoryHandler();
|
||||||
|
}
|
||||||
|
|
||||||
|
protected function getHandler(): Handler
|
||||||
|
{
|
||||||
|
return app()->make(ExceptionHandler::class);
|
||||||
|
}
|
||||||
|
}
|
@ -34,6 +34,8 @@ return [
|
|||||||
'image_delete_success' => 'Image successfully deleted',
|
'image_delete_success' => 'Image successfully deleted',
|
||||||
'image_replace' => 'Replace Image',
|
'image_replace' => 'Replace Image',
|
||||||
'image_replace_success' => 'Image file successfully updated',
|
'image_replace_success' => 'Image file successfully updated',
|
||||||
|
'image_rebuild_thumbs' => 'Regenerate Size Variations',
|
||||||
|
'image_rebuild_thumbs_success' => 'Image size variations successfully rebuilt!',
|
||||||
|
|
||||||
// Code Editor
|
// Code Editor
|
||||||
'code_editor' => 'Edit Code',
|
'code_editor' => 'Edit Code',
|
||||||
|
@ -44,12 +44,16 @@ return [
|
|||||||
'cannot_get_image_from_url' => 'Cannot get image from :url',
|
'cannot_get_image_from_url' => 'Cannot get image from :url',
|
||||||
'cannot_create_thumbs' => 'The server cannot create thumbnails. Please check you have the GD PHP extension installed.',
|
'cannot_create_thumbs' => 'The server cannot create thumbnails. Please check you have the GD PHP extension installed.',
|
||||||
'server_upload_limit' => 'The server does not allow uploads of this size. Please try a smaller file size.',
|
'server_upload_limit' => 'The server does not allow uploads of this size. Please try a smaller file size.',
|
||||||
|
'server_post_limit' => 'The server cannot receive the provided amount of data. Try again with less data or a smaller file.',
|
||||||
'uploaded' => 'The server does not allow uploads of this size. Please try a smaller file size.',
|
'uploaded' => 'The server does not allow uploads of this size. Please try a smaller file size.',
|
||||||
|
|
||||||
// Drawing & Images
|
// Drawing & Images
|
||||||
'image_upload_error' => 'An error occurred uploading the image',
|
'image_upload_error' => 'An error occurred uploading the image',
|
||||||
'image_upload_type_error' => 'The image type being uploaded is invalid',
|
'image_upload_type_error' => 'The image type being uploaded is invalid',
|
||||||
'image_upload_replace_type' => 'Image file replacements must be of the same type',
|
'image_upload_replace_type' => 'Image file replacements must be of the same type',
|
||||||
|
'image_upload_memory_limit' => 'Failed to handle image upload and/or create thumbnails due to system resource limits.',
|
||||||
|
'image_thumbnail_memory_limit' => 'Failed to create image size variations due to system resource limits.',
|
||||||
|
'image_gallery_thumbnail_memory_limit' => 'Failed to create gallery thumbnails due to system resource limits.',
|
||||||
'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.',
|
'drawing_data_not_found' => 'Drawing data could not be loaded. The drawing file might no longer exist or you may not have permission to access it.',
|
||||||
|
|
||||||
// Attachments
|
// Attachments
|
||||||
|
@ -90,6 +90,15 @@ export class ImageManager extends Component {
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|
||||||
|
// Rebuild thumbs click
|
||||||
|
onChildEvent(this.formContainer, '#image-manager-rebuild-thumbs', 'click', async (_, button) => {
|
||||||
|
button.disabled = true;
|
||||||
|
if (this.lastSelected) {
|
||||||
|
await this.rebuildThumbnails(this.lastSelected.id);
|
||||||
|
}
|
||||||
|
button.disabled = false;
|
||||||
|
});
|
||||||
|
|
||||||
// Edit form submit
|
// Edit form submit
|
||||||
this.formContainer.addEventListener('ajax-form-success', () => {
|
this.formContainer.addEventListener('ajax-form-success', () => {
|
||||||
this.refreshGallery();
|
this.refreshGallery();
|
||||||
@ -220,8 +229,8 @@ export class ImageManager extends Component {
|
|||||||
this.loadGallery();
|
this.loadGallery();
|
||||||
}
|
}
|
||||||
|
|
||||||
onImageSelectEvent(event) {
|
async onImageSelectEvent(event) {
|
||||||
const image = JSON.parse(event.detail.data);
|
let image = JSON.parse(event.detail.data);
|
||||||
const isDblClick = ((image && image.id === this.lastSelected.id)
|
const isDblClick = ((image && image.id === this.lastSelected.id)
|
||||||
&& Date.now() - this.lastSelectedTime < 400);
|
&& Date.now() - this.lastSelectedTime < 400);
|
||||||
const alreadySelected = event.target.classList.contains('selected');
|
const alreadySelected = event.target.classList.contains('selected');
|
||||||
@ -229,12 +238,15 @@ export class ImageManager extends Component {
|
|||||||
el.classList.remove('selected');
|
el.classList.remove('selected');
|
||||||
});
|
});
|
||||||
|
|
||||||
if (!alreadySelected) {
|
if (!alreadySelected && !isDblClick) {
|
||||||
event.target.classList.add('selected');
|
event.target.classList.add('selected');
|
||||||
this.loadImageEditForm(image.id);
|
image = await this.loadImageEditForm(image.id);
|
||||||
} else {
|
} else if (!isDblClick) {
|
||||||
this.resetEditForm();
|
this.resetEditForm();
|
||||||
|
} else if (isDblClick) {
|
||||||
|
image = this.lastSelected;
|
||||||
}
|
}
|
||||||
|
|
||||||
this.selectButton.classList.toggle('hidden', alreadySelected);
|
this.selectButton.classList.toggle('hidden', alreadySelected);
|
||||||
|
|
||||||
if (isDblClick && this.callback) {
|
if (isDblClick && this.callback) {
|
||||||
@ -256,6 +268,9 @@ export class ImageManager extends Component {
|
|||||||
this.formContainer.innerHTML = formHtml;
|
this.formContainer.innerHTML = formHtml;
|
||||||
this.formContainerPlaceholder.setAttribute('hidden', '');
|
this.formContainerPlaceholder.setAttribute('hidden', '');
|
||||||
window.$components.init(this.formContainer);
|
window.$components.init(this.formContainer);
|
||||||
|
|
||||||
|
const imageDataEl = this.formContainer.querySelector('#image-manager-form-image-data');
|
||||||
|
return JSON.parse(imageDataEl.text);
|
||||||
}
|
}
|
||||||
|
|
||||||
runLoadMore() {
|
runLoadMore() {
|
||||||
@ -268,4 +283,14 @@ export class ImageManager extends Component {
|
|||||||
return this.loadMore.querySelector('button') && !this.loadMore.hasAttribute('hidden');
|
return this.loadMore.querySelector('button') && !this.loadMore.hasAttribute('hidden');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
async rebuildThumbnails(imageId) {
|
||||||
|
try {
|
||||||
|
const response = await window.$http.put(`/images/${imageId}/rebuild-thumbnails`);
|
||||||
|
window.$events.success(response.data);
|
||||||
|
this.refreshGallery();
|
||||||
|
} catch (err) {
|
||||||
|
window.$events.showResponseError(err);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
@ -34,7 +34,7 @@ export class Actions {
|
|||||||
const imageManager = window.$components.first('image-manager');
|
const imageManager = window.$components.first('image-manager');
|
||||||
|
|
||||||
imageManager.show(image => {
|
imageManager.show(image => {
|
||||||
const imageUrl = image.thumbs.display || image.url;
|
const imageUrl = image.thumbs?.display || image.url;
|
||||||
const selectedText = this.#getSelectionText();
|
const selectedText = this.#getSelectionText();
|
||||||
const newText = `[![${selectedText || image.name}](${imageUrl})](${image.url})`;
|
const newText = `[![${selectedText || image.name}](${imageUrl})](${image.url})`;
|
||||||
this.#replaceSelection(newText, newText.length);
|
this.#replaceSelection(newText, newText.length);
|
||||||
@ -417,7 +417,7 @@ export class Actions {
|
|||||||
const newContent = `[![](${data.thumbs.display})](${data.url})`;
|
const newContent = `[![](${data.thumbs.display})](${data.url})`;
|
||||||
this.#findAndReplaceContent(placeHolderText, newContent);
|
this.#findAndReplaceContent(placeHolderText, newContent);
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
window.$events.emit('error', this.editor.config.text.imageUploadError);
|
window.$events.error(err?.data?.message || this.editor.config.text.imageUploadError);
|
||||||
this.#findAndReplaceContent(placeHolderText, '');
|
this.#findAndReplaceContent(placeHolderText, '');
|
||||||
console.error(err);
|
console.error(err);
|
||||||
}
|
}
|
||||||
|
@ -61,7 +61,7 @@ function paste(editor, options, event) {
|
|||||||
editor.dom.replace(newEl, id);
|
editor.dom.replace(newEl, id);
|
||||||
}).catch(err => {
|
}).catch(err => {
|
||||||
editor.dom.remove(id);
|
editor.dom.remove(id);
|
||||||
window.$events.emit('error', options.translations.imageUploadErrorText);
|
window.$events.error(err?.data?.message || options.translations.imageUploadErrorText);
|
||||||
console.error(err);
|
console.error(err);
|
||||||
});
|
});
|
||||||
}, 10);
|
}, 10);
|
||||||
|
@ -11,7 +11,7 @@ function register(editor) {
|
|||||||
/** @type {ImageManager} * */
|
/** @type {ImageManager} * */
|
||||||
const imageManager = window.$components.first('image-manager');
|
const imageManager = window.$components.first('image-manager');
|
||||||
imageManager.show(image => {
|
imageManager.show(image => {
|
||||||
const imageUrl = image.thumbs.display || image.url;
|
const imageUrl = image.thumbs?.display || image.url;
|
||||||
let html = `<a href="${image.url}" target="_blank">`;
|
let html = `<a href="${image.url}" target="_blank">`;
|
||||||
html += `<img src="${imageUrl}" alt="${image.name}">`;
|
html += `<img src="${imageUrl}" alt="${image.name}">`;
|
||||||
html += '</a>';
|
html += '</a>';
|
||||||
|
@ -382,7 +382,7 @@ body.flexbox-support #entity-selector-wrap .popup-body .form-group {
|
|||||||
.image-manager-list {
|
.image-manager-list {
|
||||||
padding: 3px;
|
padding: 3px;
|
||||||
display: grid;
|
display: grid;
|
||||||
grid-template-columns: repeat( auto-fit, minmax(140px, 1fr) );
|
grid-template-columns: repeat( auto-fill, minmax(max(140px, 17%), 1fr) );
|
||||||
gap: 3px;
|
gap: 3px;
|
||||||
z-index: 3;
|
z-index: 3;
|
||||||
> div {
|
> div {
|
||||||
@ -457,6 +457,18 @@ body.flexbox-support #entity-selector-wrap .popup-body .form-group {
|
|||||||
text-align: center;
|
text-align: center;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.image-manager-list .image-manager-list-warning {
|
||||||
|
grid-column: 1 / -1;
|
||||||
|
aspect-ratio: auto;
|
||||||
|
}
|
||||||
|
|
||||||
|
.image-manager-warning {
|
||||||
|
@include lightDark(background, #FFF, #333);
|
||||||
|
color: var(--color-warning);
|
||||||
|
font-weight: bold;
|
||||||
|
border-inline: 3px solid var(--color-warning);
|
||||||
|
}
|
||||||
|
|
||||||
.image-manager-sidebar {
|
.image-manager-sidebar {
|
||||||
width: 300px;
|
width: 300px;
|
||||||
margin: 0 auto;
|
margin: 0 auto;
|
||||||
|
@ -8,8 +8,17 @@
|
|||||||
option:dropzone:file-accept="image/*"
|
option:dropzone:file-accept="image/*"
|
||||||
class="image-manager-details">
|
class="image-manager-details">
|
||||||
|
|
||||||
|
@if($warning ?? '')
|
||||||
|
<div class="image-manager-warning px-m py-xs flex-container-row gap-xs items-center mb-l">
|
||||||
|
<div>@icon('warning')</div>
|
||||||
|
<div class="flex">{{ $warning }}</div>
|
||||||
|
</div>
|
||||||
|
@endif
|
||||||
|
|
||||||
<div refs="dropzone@status-area dropzone@drop-target"></div>
|
<div refs="dropzone@status-area dropzone@drop-target"></div>
|
||||||
|
|
||||||
|
<script id="image-manager-form-image-data" type="application/json">@json($image)</script>
|
||||||
|
|
||||||
<form component="ajax-form"
|
<form component="ajax-form"
|
||||||
option:ajax-form:success-message="{{ trans('components.image_update_success') }}"
|
option:ajax-form:success-message="{{ trans('components.image_update_success') }}"
|
||||||
option:ajax-form:method="put"
|
option:ajax-form:method="put"
|
||||||
@ -44,6 +53,9 @@
|
|||||||
id="image-manager-replace"
|
id="image-manager-replace"
|
||||||
refs="dropzone@select-button"
|
refs="dropzone@select-button"
|
||||||
class="text-item">{{ trans('components.image_replace') }}</button>
|
class="text-item">{{ trans('components.image_replace') }}</button>
|
||||||
|
<button type="button"
|
||||||
|
id="image-manager-rebuild-thumbs"
|
||||||
|
class="text-item">{{ trans('components.image_rebuild_thumbs') }}</button>
|
||||||
@endif
|
@endif
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
@ -1,3 +1,9 @@
|
|||||||
|
@if($warning ?? '')
|
||||||
|
<div class="image-manager-list-warning image-manager-warning px-m py-xs flex-container-row gap-xs items-center">
|
||||||
|
<div>@icon('warning')</div>
|
||||||
|
<div class="flex">{{ $warning }}</div>
|
||||||
|
</div>
|
||||||
|
@endif
|
||||||
@foreach($images as $index => $image)
|
@foreach($images as $index => $image)
|
||||||
<div>
|
<div>
|
||||||
<button component="event-emit-select"
|
<button component="event-emit-select"
|
||||||
@ -5,7 +11,7 @@
|
|||||||
option:event-emit-select:data="{{ json_encode($image) }}"
|
option:event-emit-select:data="{{ json_encode($image) }}"
|
||||||
class="image anim fadeIn text-link"
|
class="image anim fadeIn text-link"
|
||||||
style="animation-delay: {{ min($index * 10, 260) . 'ms' }};">
|
style="animation-delay: {{ min($index * 10, 260) . 'ms' }};">
|
||||||
<img src="{{ $image->thumbs['gallery'] }}"
|
<img src="{{ $image->thumbs['gallery'] ?? '' }}"
|
||||||
alt="{{ $image->name }}"
|
alt="{{ $image->name }}"
|
||||||
role="none"
|
role="none"
|
||||||
width="150"
|
width="150"
|
||||||
|
@ -142,6 +142,7 @@ Route::middleware('auth')->group(function () {
|
|||||||
Route::post('/images/drawio', [UploadControllers\DrawioImageController::class, 'create']);
|
Route::post('/images/drawio', [UploadControllers\DrawioImageController::class, 'create']);
|
||||||
Route::get('/images/edit/{id}', [UploadControllers\ImageController::class, 'edit']);
|
Route::get('/images/edit/{id}', [UploadControllers\ImageController::class, 'edit']);
|
||||||
Route::put('/images/{id}/file', [UploadControllers\ImageController::class, 'updateFile']);
|
Route::put('/images/{id}/file', [UploadControllers\ImageController::class, 'updateFile']);
|
||||||
|
Route::put('/images/{id}/rebuild-thumbnails', [UploadControllers\ImageController::class, 'rebuildThumbnails']);
|
||||||
Route::put('/images/{id}', [UploadControllers\ImageController::class, 'update']);
|
Route::put('/images/{id}', [UploadControllers\ImageController::class, 'update']);
|
||||||
Route::delete('/images/{id}', [UploadControllers\ImageController::class, 'destroy']);
|
Route::delete('/images/{id}', [UploadControllers\ImageController::class, 'destroy']);
|
||||||
|
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
|
|
||||||
namespace Tests;
|
namespace Tests;
|
||||||
|
|
||||||
|
use Illuminate\Foundation\Http\Middleware\ValidatePostSize;
|
||||||
use Illuminate\Support\Facades\Log;
|
use Illuminate\Support\Facades\Log;
|
||||||
|
|
||||||
class ErrorTest extends TestCase
|
class ErrorTest extends TestCase
|
||||||
@ -45,4 +46,16 @@ class ErrorTest extends TestCase
|
|||||||
$resp->assertStatus(404);
|
$resp->assertStatus(404);
|
||||||
$resp->assertSeeText('Image Not Found');
|
$resp->assertSeeText('Image Not Found');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public function test_posts_above_php_limit_shows_friendly_error()
|
||||||
|
{
|
||||||
|
// Fake super large JSON request
|
||||||
|
$resp = $this->asEditor()->call('GET', '/books', [], [], [], [
|
||||||
|
'CONTENT_LENGTH' => '10000000000',
|
||||||
|
'HTTP_ACCEPT' => 'application/json',
|
||||||
|
]);
|
||||||
|
|
||||||
|
$resp->assertStatus(413);
|
||||||
|
$resp->assertJson(['error' => 'The server cannot receive the provided amount of data. Try again with less data or a smaller file.']);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@ -133,12 +133,21 @@ class FileProvider
|
|||||||
*/
|
*/
|
||||||
public function deleteAtRelativePath(string $path): void
|
public function deleteAtRelativePath(string $path): void
|
||||||
{
|
{
|
||||||
$fullPath = public_path($path);
|
$fullPath = $this->relativeToFullPath($path);
|
||||||
if (file_exists($fullPath)) {
|
if (file_exists($fullPath)) {
|
||||||
unlink($fullPath);
|
unlink($fullPath);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Convert a relative path used by default in this provider to a full
|
||||||
|
* absolute local filesystem path.
|
||||||
|
*/
|
||||||
|
public function relativeToFullPath(string $path): string
|
||||||
|
{
|
||||||
|
return public_path($path);
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Delete all uploaded files.
|
* Delete all uploaded files.
|
||||||
* To assist with cleanup.
|
* To assist with cleanup.
|
||||||
|
@ -552,6 +552,30 @@ class ImageTest extends TestCase
|
|||||||
$this->files->deleteAtRelativePath($relPath);
|
$this->files->deleteAtRelativePath($relPath);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public function test_image_manager_regen_thumbnails()
|
||||||
|
{
|
||||||
|
$this->asEditor();
|
||||||
|
$imageName = 'first-image.png';
|
||||||
|
$relPath = $this->files->expectedImagePath('gallery', $imageName);
|
||||||
|
$this->files->deleteAtRelativePath($relPath);
|
||||||
|
|
||||||
|
$this->files->uploadGalleryImage($this, $imageName, $this->entities->page()->id);
|
||||||
|
$image = Image::first();
|
||||||
|
|
||||||
|
$resp = $this->get("/images/edit/{$image->id}");
|
||||||
|
$this->withHtml($resp)->assertElementExists('button#image-manager-rebuild-thumbs');
|
||||||
|
|
||||||
|
$expectedThumbPath = dirname($relPath) . '/scaled-1680-/' . basename($relPath);
|
||||||
|
$this->files->deleteAtRelativePath($expectedThumbPath);
|
||||||
|
$this->assertFileDoesNotExist($this->files->relativeToFullPath($expectedThumbPath));
|
||||||
|
|
||||||
|
$resp = $this->put("/images/{$image->id}/rebuild-thumbnails");
|
||||||
|
$resp->assertOk();
|
||||||
|
|
||||||
|
$this->assertFileExists($this->files->relativeToFullPath($expectedThumbPath));
|
||||||
|
$this->files->deleteAtRelativePath($relPath);
|
||||||
|
}
|
||||||
|
|
||||||
protected function getTestProfileImage()
|
protected function getTestProfileImage()
|
||||||
{
|
{
|
||||||
$imageName = 'profile.png';
|
$imageName = 'profile.png';
|
||||||
|
Loading…
Reference in New Issue
Block a user