How can Django implement file uploading and downloading?

In Django, FileField can be used to enable file uploads and downloads.

The steps for uploading a file are as follows:

  1. FileField is a field used in a programming language to upload and store files.
from django.db import models

class MyModel(models.Model):
    file = models.FileField(upload_to='uploads/')
  1. Field for uploading files
from django import forms

class MyForm(forms.Form):
    file = forms.FileField()
  1. Manage the logic for handling uploaded files in the view.
from django.shortcuts import render, redirect
from .forms import MyForm

def upload(request):
    if request.method == 'POST':
        form = MyForm(request.POST, request.FILES)
        if form.is_valid():
            my_model = MyModel(file=request.FILES['file'])
            my_model.save()
            return redirect('success')
    else:
        form = MyForm()
    return render(request, 'upload.html', {'form': form})
  1. the webpage for uploading files
<form method="post" enctype="multipart/form-data">
    {% csrf_token %}
    {{ form.as_p }}
    <button type="submit">Upload</button>
</form>

The steps for downloading the file are as follows:

  1. Define a method in the model to generate a URL for downloading a file.
from django.db import models
from django.urls import reverse

class MyModel(models.Model):
    file = models.FileField(upload_to='uploads/')

    def get_download_url(self):
        return reverse('download', args=[str(self.id)])
  1. Handle the logic for downloading files in the view.
from django.http import FileResponse
from .models import MyModel

def download(request, pk):
    my_model = MyModel.objects.get(pk=pk)
    file_path = my_model.file.path
    return FileResponse(open(file_path, 'rb'))
  1. Define the URL for file download in urls.py.
from django.urls import path
from .views import upload, download

urlpatterns = [
    path('upload/', upload, name='upload'),
    path('download/<int:pk>/', download, name='download'),
]
  1. the webpage for downloading
<a href="{{ my_model.get_download_url }}">Download</a>
bannerAds