A neat concept to get file upload speed when uploading files from a form in Laravel.
This base method will also work when uploading to an SFTP server using PHP or downloading from one too.
The only requirements are the uploaded file size and a timer on how long the upload process took.
Note that is example is bare bones with no true validation on accepted upload file size or type.
In the file upload controller method validate the file from the file input named selected_file and get the files size as bytes and its original name:
$request->validate([ 'selected_file' => 'file|required', ]); $file = $request->file('selected_file'); $file_size = $file->getSize(); $original_name = $file->getClientOriginalName();
Now start the timer and store the file from the upload, the timer is to calculate the upload speed it is also handy to know how long the upload took in seconds.
Calculating the upload speed as Mbps is done by dividing the file size with the duration, this returns Bps.
Converting this to a more human-readable format as Mbps can be done by dividing by 1000 twice
$start_timer = time(); $store = $file->storeAs("uploads", $original_name, 'private'); $end_timer = time() - $start_timer; $upload_speed_mbps = number_format(($file_size / $end_timer / 1000 / 1000), 2); if ($store) { return "Uploaded $original_name in $end_timer seconds at $upload_speed_mbps Mbps"; } return "File $original_name could not be uploaded";
A message is then returned depending on if the file store was successful or not.