madhu131313
madhu131313

Reputation: 7386

Page not found 404 Django media files

I am able to upload the files to media folder /peaceroot/www/media/ that I have set up in settings.py as below

MEDIA_ROOT = '/peaceroot/www/media/'
MEDIA_URL = '/media/'

But through admin I tried to access the uploaded image file, and got a 404 error:

http://localhost:8000/media/items/1a39246c-4160-4cb2-a842-12a1ffd72b3b.jpg

It exists at peaceroot/www/media/items/1a39246c-4160-4cb2-a842-12a1ffd72b3b.jpg.

Upvotes: 63

Views: 55332

Answers (7)

v1k45
v1k45

Reputation: 8250

Add media url entry in your project (not app) urlpatterns:

from django.conf.urls.static import static
from django.conf import settings

...
urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)

Upvotes: 120

Evangelos Tolias
Evangelos Tolias

Reputation: 151

You also need to make sure (on development mode only of course) that you have the debug flag set to True DEBUG=True in your settings.py file.

Upvotes: 1

Yatish Soorma
Yatish Soorma

Reputation: 51

This is a server error. I'm assuming you are using Nginx. Just add this in your Nginx Configuration file(/etc/nginx/sites-available/example.com) just under location /static/

location /media/ {
    root /home/user/myprojectdir;
}

Here, user should be your username you created and myprojectdir should be your project directory.

Upvotes: 5

star700p
star700p

Reputation: 21

In template create link by anchor tag and add .url in the end to that fileobject e.g

{% for post in post %}

   <a href="{{post.imagefilename.url}}" > 

{% endfor %}

Upvotes: 1

Sumithran
Sumithran

Reputation: 6565

In my development server I fixed it by commenting out these lines in settings.py

STATICFILES_DIRS = (
     os.path.join(BASE_DIR, 'static'),
)

Upvotes: 0

Kamlesh
Kamlesh

Reputation: 2056

The better way for MEDIA_ROOT is,

try to make media path dynamic will be easy when you shift your project.

Settings.py

BASE_DIR = os.path.dirname(os.path.dirname(__file__))


MEDIA_ROOT = os.path.join(BASE_DIR, 'media').replace('\\', '/')
MEDIA_URL = '/media/'

urls.py

from django.conf import settings
from django.conf.urls.static import static

urlpatterns = [
    # ... the rest of your URLconf goes here ...
] + static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)

Look at this

https://docs.djangoproject.com/en/dev/howto/static-files/

Upvotes: 34

Seyi Shoboyejo
Seyi Shoboyejo

Reputation: 529

Just to add: in case the other answers do not work for you, try putting the static url before the other ones. Like so:

urlpatterns = static(...) + [...]

What may be happening is that some of your patterns in the list prevent the request from reaching the static handlers. So putting the static handlers first solves this. Worked for me.

Upvotes: 6

Related Questions