koel/app/Services/UploadService.php

80 lines
2.3 KiB
PHP
Raw Normal View History

2020-06-07 20:43:04 +00:00
<?php
namespace App\Services;
use App\Exceptions\MediaPathNotSetException;
use App\Exceptions\SongUploadFailedException;
use App\Models\Setting;
use App\Models\Song;
use function Functional\memoize;
2020-06-07 20:43:04 +00:00
use Illuminate\Http\UploadedFile;
class UploadService
{
private const UPLOAD_DIRECTORY = '__KOEL_UPLOADS__';
private $fileSynchronizer;
public function __construct(FileSynchronizer $fileSynchronizer)
{
$this->fileSynchronizer = $fileSynchronizer;
}
/**
* @throws MediaPathNotSetException
* @throws SongUploadFailedException
*/
public function handleUploadedFile(UploadedFile $file): Song
{
$targetFileName = $this->getTargetFileName($file);
$file->move($this->getUploadDirectory(), $targetFileName);
2020-09-06 21:20:42 +00:00
$targetPathName = $this->getUploadDirectory().$targetFileName;
2020-06-07 20:43:04 +00:00
$this->fileSynchronizer->setFile($targetPathName);
$result = $this->fileSynchronizer->sync(MediaSyncService::APPLICABLE_TAGS);
if ($result !== FileSynchronizer::SYNC_RESULT_SUCCESS) {
@unlink($targetPathName);
throw new SongUploadFailedException($this->fileSynchronizer->getSyncError());
}
return $this->fileSynchronizer->getSong();
}
/**
* @throws MediaPathNotSetException
*/
private function getUploadDirectory(): string
{
return memoize(static function (): string {
2020-06-07 20:43:04 +00:00
$mediaPath = Setting::get('media_path');
if (!$mediaPath) {
throw new MediaPathNotSetException();
}
return $mediaPath.DIRECTORY_SEPARATOR.self::UPLOAD_DIRECTORY.DIRECTORY_SEPARATOR;
});
2020-06-07 20:43:04 +00:00
}
/**
* @throws MediaPathNotSetException
*/
private function getTargetFileName(UploadedFile $file): string
{
// If there's no existing file with the same name in the upload directory, use the original name.
// Otherwise, prefix the original name with a hash.
// The whole point is to keep a readable file name when we can.
2020-09-06 21:20:42 +00:00
if (!file_exists($this->getUploadDirectory().$file->getClientOriginalName())) {
2020-06-07 20:43:04 +00:00
return $file->getClientOriginalName();
}
2020-09-06 21:20:42 +00:00
return $this->getUniqueHash().'_'.$file->getClientOriginalName();
2020-06-07 20:43:04 +00:00
}
private function getUniqueHash(): string
{
return substr(sha1(uniqid()), 0, 6);
}
}