To upload an image file in Slim Framework 4 and check if the file size is more than 2MB, you can follow these steps:


1. **Create a form for file upload** in your HTML template:


   ```html

   <form action="/upload" method="POST" enctype="multipart/form-data">

       <input type="file" name="image">

       <input type="submit" value="Upload Image">

   </form>

   ```


2. **Set up a route to handle the file upload**:


   In your Slim application, create a route that handles the file upload and performs the size check:


   ```php

   use Psr\Http\Message\ResponseInterface as Response;

   use Psr\Http\Message\ServerRequestInterface as Request;

   use Slim\Factory\AppFactory;


   require __DIR__ . '/vendor/autoload.php';


   $app = AppFactory::create();


   $app->post('/upload', function (Request $request, Response $response) {

       $uploadedFiles = $request->getUploadedFiles();

       $uploadedFile = $uploadedFiles['image'];


       // Check if a file was uploaded

       if ($uploadedFile->getError() === UPLOAD_ERR_OK) {

           // Check file size

           $maxSize = 2 * 1024 * 1024; // 2MB in bytes

           if ($uploadedFile->getSize() > $maxSize) {

               return $response->withJson(['error' => 'File size exceeds 2MB']);

           }


           // Move the uploaded file to your desired location

           $uploadPath = __DIR__ . '/uploads';

           $uploadedFileName = $uploadedFile->getClientFilename();

           $uploadedFile->moveTo($uploadPath . DIRECTORY_SEPARATOR . $uploadedFileName);


           return $response->withJson(['success' => 'File uploaded successfully']);

       } else {

           return $response->withJson(['error' => 'File upload error']);

       }

   });


   $app->run();

   ```


   This code sets up a route at `/upload`, checks if a file was uploaded, and then checks the file size. If the file size is within the limit (2MB), it moves the file to a specified upload directory. If the file size exceeds the limit, it returns an error response.


3. **Create the upload directory**:


   Make sure to create the `uploads` directory in your project root or wherever you want to store the uploaded images.


   ```bash

   mkdir uploads

   ```


4. **Run your Slim application**:


   Start your Slim application using your preferred web server, such as Apache or PHP's built-in web server (`php -S localhost:8080 -t public`).


5. **Access the upload form**:


   Visit the URL where your form is hosted, and you should be able to upload images. If an image exceeds 2MB, you'll receive an error message.


Make sure to customize the file upload and error handling logic to fit your specific application needs.