[Django]-What is the right way to validate if an object exists in a django view without returning 404?

128👍

I would not use the 404 wrapper if you aren’t given a 404. That is misuse of intent. Just catch the DoesNotExist, instead.

try:
    listing = RealEstateListing.objects.get(slug_url=slug)
except RealEstateListing.DoesNotExist:
    listing = None

228👍

You can also do:

if not RealEstateListing.objects.filter(slug_url=slug).exists():
    # do stuff...

Sometimes it’s more clear to use try: except: block and other times one-liner exists() makes the code looking clearer… all depends on your application logic.

👤zzart

9👍

listing = RealEstateListing.objects.filter(slug_url=slug).first() 

0👍

I would do it as simple as follows:

listing = RealEstateListing.objects.filter(slug_url=slug)
if listing:
    # do stuff

I don’t see a need for try/catch. If there are potentially several objects in the result, then use first() as shown by user Henrik Heino

Leave a comment