MostPHP Software Applications require to provide the user the capability of uploading images, pdf and other types of documents. With Symfony, this implementation is very easy and simple, just follow this recipe:

Prerequisites:

Step 1. Create a form in your Symfony application to allow file uploads. You can use Symfony's Form component or directly create an HTML form.
Define the form fields including the file input field. For example, using Symfony's Form component, you can define a file field like this:

symfony file upload

use Symfony\Component\Form\Extension\Core\Type\FileType;
// ...

public function buildForm(FormBuilderInterface $builder, array $options)
{
    $builder
        // other form fields
        ->add('file', FileType::class)
        // ...
    ;
}

Step 2. Handle the form submission in your controller. Retrieve the uploaded file from the request and process it as needed:

use Symfony\Component\HttpFoundation\Request;
// ...

public function uploadFile(Request $request)
{
    $form = $this->createForm(YourFormType::class);
    $form->handleRequest($request);

    if ($form->isSubmitted() && $form->isValid()) {
        $file = $form->get('file')->getData();

        // Process the uploaded file
        // For example, you can move the file to a specific directory
        $file->move('path/to/save/file', 'new_filename.ext');

        // Perform additional actions if necessary

        return $this->redirectToRoute('success_page');
    }

    return $this->render('your_template.html.twig', [
        'form' => $form->createView(),
    ]);
}

Step 3. Configure the routing to map the file upload route to your controller action. In your routing configuration file (usually config/routes.yaml), add a route for the file upload action:

upload_file:
    path: /upload
    controller: App\Controller\YourController::uploadFile
    methods: [POST]

Step 4. Create the necessary directory to store the uploaded files and ensure that it has the appropriate write permissions.

Step 5. Finally, create a template to render the file upload form. For example, using Twig, you can create a form template like this:

{# templates/your_template.html.twig #}

<form method="POST" action="{{ path('upload_file') }}" enctype="multipart/form-data">
    {{ form_row(form.file) }}
    <button type="submit">Upload</button>
</form>

 Make sure to include the enctype="multipart/form-data" attribute in your form tag to handle file uploads correctly.