otsglobal / laravel-attachments
Attach files to your models, retrievable by key, group name or using the Eloquent relationship.
Installs: 2
Dependents: 0
Suggesters: 0
Security: 0
Stars: 0
Watchers: 0
Forks: 34
Type:package
pkg:composer/otsglobal/laravel-attachments
Requires
- php: >=8.2
- bnbwebexpertise/php-uuid: >=0.0.2
- doctrine/dbal: 4.2.3
- illuminate/console: >=8.37
- illuminate/database: >=8.37
- illuminate/encryption: >=8.37
- illuminate/routing: >=8.37
- illuminate/support: >=8.37
- nesbot/carbon: ^1.20 || ^2.0 || ^3.0
Requires (Dev)
- laravel/framework: >=8.37
README
This repo is fork of
bnbwebexpertise/laravel-attachmentsby B&B Web Expertise
This package allows to quickly attach files to your models, retrievable by key, group name or using the Eloquent relationship.
Installation
You can install this package via composer.
composer require otsglobal/laravel-attachments
Configuration
You can customize this package behavior by publishing the configuration file :
php artisan vendor:publish --provider='Otsglobal\Laravel\Attachments\AttachmentsServiceProvider' --tag="config"
Migrations
This package will load the migrations but if you don't want, you can publish migrations and stop loading of migrations AttachmentsServiceProvider::ignoreMigrations() by package.
php artisan vendor:publish --provider="Otsglobal\Laravel\Attachments\AttachmentsServiceProvider" --tag="migrations"
php artisan migrate
Add the following line in your in AppServiceProvider's register method
\Otsglobal\Laravel\Attachments\AttachmentsServiceProvider::ignoreMigrations();
Add attachments to a model class
Add the HasAttachment trait to your model class :
<?php namespace App; use Otsglobal\Laravel\Attachments\HasAttachment; use Illuminate\Notifications\Notifiable; use Illuminate\Foundation\Auth\User as Authenticatable; class User extends Authenticatable { use Notifiable, HasAttachment; // ... }
Then use it to bind a file to an instance :
$user = App\User::create([ 'name' => 'name', 'email' => 'email@foo.bar', 'password' => 'password', ]); // Bind a local file $attachment = $user->attach('local/path/to/file.txt'); // Bind an uploaded file $attachment = $user->attach(\Request::file('uploaded_file')); // Bind an uploaded file with options $attachment = $user->attach(\Request::file('uploaded_file'), [ 'disk' => 's3', 'title' => \Request::input('attachment_title'), 'description' => \Request::input('attachment_description'), 'key' => \Request::input('attachment_key'), ]);
Retrieve model's attachments
$user = App\User::first(); $allAttachments = $user->attachments()->get(); $attachmentByKey = $user->attachment('myKey'); // Attachment public URL $publicUrl = $attachmentByKey->url;
Regroup model's attachments
The group attribute allows to group attachements.
The attachementsGroup method provided by the HasAttachment trait
returns all the attachments with the given group value.
$user = App\User::first(); $user->attach($somefile, [' 'group' => 'album', ']); $user->attach($otherfile, [' 'group' => 'album', ']); $attachmentsByGroup = $user->attachmentsGroup('album');
Delete an attachment
Calling the delete() method on an attachment model instance will
delete the database row and the file. The deletion of the file can
be disabled by setting the behaviors.cascade_delete to false in
the configuration.
Not that calling
delete()on aquery()like statement will not cascade to the filesystem because it will not call thedelete()method of theAttachmentmodel class.
$user = App\User::first(); $attachmentByKey = $user->attachment('myKey'); $attachmentByKey->delete(); // Will also delete the file on the storage by default
Hooking the file output
The Otsglobal\Laravel\Attachments\Attachment model class provides
an outputting event that you can observe.
In the application service provider you could write for example :
<?php use Otsglobal\Laravel\Attachments\Attachment; class AppServiceProvider extends ServiceProvider { // ... public function boot() { // ... Attachment::outputting(function ($attachment) { /** @var Attachment $attachment */ // Get the related model $model = $attachment->model; if (empty($model)) { // Deny output for attachments not linked to a model return false; } if ($model instanceof \App\User) { // Check if current user is granted and owner $user = \Auth::user(); return $user && $user->can('download-file') && $user->id == $model->id; } }); // ... } // ... }
Dropzone
Upload
This package provides a server endpoint for Dropzone.js or equivalent
via the attachments.dropzone route alias.
It returns the attachment uuid along other fields as a JSON response.
This value can be sent back later to the server to bind it to a model
instance (deferred saving).
The form :
<form action="{{ route('attachments.dropzone') }}" class="dropzone" id="my-dropzone" > {{ csrf_field() }} </form>
The response :
{
  "title": "b39ffd84524b",
  "filename": "readme.md",
  "filesize": 2906,
  "filetype": "text/html",
  "uuid": "f5a8eec2-d860-4e53-8451-b39ffd84524b",
  "key": "58ac52e90db938.72105394",
  "url": "http://laravel.dev:8888/attachments/f5a8eec2-d860-4e53-8451-b39ffd84524b/readme.md"
}
Send it back later :
<form action="/upload" method="post"> {{ csrf_field() }} <input type="hidden" name="attachment_id" id="attachment_id" /> <button type="submit">Save</button> </form> <!-- Where attachment_id is populated on success --> <script> Dropzone.options.myDropzone = { init: function () { this.on("success", function (file, response) { document.getElementById("attachment_id").value = response.uuid; }); }, }; </script>
Bind the value later :
<?php Route::post('/upload', function () { $model = App\User::first(); Otsglobal\Laravel\Attachments\Attachment::attach(Request::input('attachment_id'), $model); return redirect('/dropzone'); });
Delete
The route attachments.dropzone.delete can be called via HTTP DELETE.
The attachment ID must be provided as parameter.
The delete action provided by this route only works for pending attachement (not bound to a model).
To prevent deletion of other users file, the current CSRF token is saved when uploading via the dropzone endpoint and it must be the same when calling the dropzone delete endpoint. This behavior can be deactivated via the configuration or env key (see config/attachments.php).
Usage example :
<script> var MyDropzone = { url: "{{ route('attachments.dropzone.delete', ['id' => ':id']) }}" // ... deletedfile: function (file) { axios.delete(this.url.replace(/:id/, file.id)).then(function () { //... }); } //... } </script>
Events
Two event are fired by the dropzone endpoints controller :
- attachments.dropzone.uploadingwith the- $request : Requestas parameter
- attachments.dropzone.deletingwith the- $request : Requestand the- $file : Attachementas parameters
If one of the listeners returns false, the action is aborted.
public function boot() { Event::listen('attachments.dropzone.uploading', function ($request) { return $this->isAllowedToUploadFile($request); }); Event::listen('attachments.dropzone.deleting', function ($request, $file) { return $this->canDeletePendingFile($request, $file); }); }
Temporary URLs
It is possible to generate a unique temporary URL for downloading the attachments via the getTemporaryUrl method of the Attachment model, for sharing purposes foremost.
The getTemporaryUrl method has one parameter : a Carbon date, after which the link will no longer be valid.
The default generated URL is of the form : http://example.com/attachments/shared/<a very long string>. The share path can be modified in the config file under the shared_pattern key.
Cleanup commands
A command is provided to cleanup the attachments not bound to a model
(when attachable_type and attachable_id are null).
php artisan attachment:cleanup
The -s (or --since=[timeInMinutes]) option can be set to specify
another time limit in minutes : only unbound files older than the
specified age will be deleted. This value is set to 1440 by default.
Migrate command
To migrate all attachments from one source disk to another :
php artisan attachments:migrate public s3
Files are removed from source disk if successfully saved on the target disk.
Customization
Set a custom database connection name for the models
You can customize the database connection name by either :
- Adding an .envvariable forATTACHMENTS_DATABASE_CONNECTION(recommended) OR
- Changing the configuration option attachments.database.connectioninconfig/attachments.php.
Extends Attachment model columns
The configuration defines the list of fillable attachment attributes in the attachment.attributes key.
This allows you to create migration to add new columns in the attachment table
and declare them in your published config at config/attachments.php.
Customize the attachment storage directory prefix
You may easily customize the folder/prefix where new attachments are stored by either:
- Adding an .envvariable forATTACHMENTS_STORAGE_DIRECTORY_PREFIX(recommended) OR
- Changing the configuration option attachments.storage_directory.prefixinconfig/attachments.php.
The default value is attachments and any trailing /s will be trimmed automatically.
Customize the attachment storage filepath
If you don't want to use the default storage filepath generation, you can provide the filepath option (relative to the root of storage disk).
It must contain the directory and filename. It's up to you to ensure that the provided filepath is not in conflict with another file.
$model->attach('/foo/bar/pdf.pdf', ['filepath' => 'foo/bar/test.pdf']);
This does not apply to attachments uploaded via the integrated DropZone controller. Only available for explicit attachments.
Extending the Attachment model class
This can be helpful to add some relations to the attachment model.
Create your own model that extends Otsglobal\Laravel\Attachments\Attachment :
<?php namespace App; class MyAttachment extends Otsglobal\Laravel\Attachments\Attachment { // ... public function someCustomRelation() { // ... } // ... }
To configure your own model class you can use one of the following possibilities :
- Publish the configuration and update the attachment_modelvalue
- Set the ATTACHMENTS_MODELenvironment value
- Bind your model to the Otsglobal\Laravel\Attachments\Contracts\AttachmentContractinterface in a service provider
Examples :
<?php return [ // ... 'attachment_model' => \App\MyAttachment::class, // .. ];
# ... ATTACHMENTS_MODEL=\App\MyAttachment # ...
<?php // ... class AppServiceProvider extends ServiceProvider { // ... public function register() { // ... $this->app->bind( \Otsglobal\Laravel\Attachments\Contracts\AttachmentContract::class, \App\MyAttachment::class ); // ... } // ... }