70
{{request.GET.param1}}
in the template. (Using RequestContext)
request.GET.get('param1', None)
in the view.
25
{{ request.resolver_match.kwargs.argument }}
for function arguments passed to the view as:
def myview(request, argument):
Tested on Django 1.9.
- [Django]-How to get the current language in Django?
- [Django]-How do you serialize a model instance in Django?
- [Django]-How to disable Django's invalid HTTP_HOST error?
8
Suppose you have GET Method like this β
http://djangopmt.localhost/tasks/?project=1&status=3&priority=High&search=StudyGyaan.com
We can get the URL Parameters like this in Django Template β
{{request.GET.project}}
{{request.GET.status}}
{{request.GET.priority}}
{{request.GET.search}}
And if you want to get URL parameter in Django Views then you can get it like this β
request.GET.get('project', None)
request.GET.get('status', None)
request.GET.get('priority', None)
request.GET.get('search', None)
- [Django]-Django-rest-framework accept JSON data?
- [Django]-ValueError: Missing staticfiles manifest entry for 'favicon.ico'
- [Django]-Django authentication and Ajax β URLs that require login
0
For example, if you access the url below:
https://example.com/?fruits=apple&meat=beef
Then, you can get the parameters in views.py
as shown below. *My answer explains it more:
# "views.py"
from django.shortcuts import render
def index(request):
print(request.GET['fruits']) # apple
print(request.GET.get('meat')) # beef
print(request.GET.get('fish')) # None
print(request.GET.get('fish', "Doesn't exist")) # Doesn't exist
print(request.GET.getlist('fruits')) # ['apple']
print(request.GET.getlist('fish')) # []
print(request.GET.getlist('fish', "Doesn't exist")) # Doesn't exist
print(request.GET._getlist('meat')) # ['beef']
print(request.GET._getlist('fish')) # []
print(request.GET._getlist('fish', "Doesn't exist")) # Doesn't exist
print(list(request.GET.keys())) # ['fruits', 'meat']
print(list(request.GET.values())) # ['apple', 'beef']
print(list(request.GET.items())) # [('fruits', 'apple'), ('meat', 'beef')]
print(list(request.GET.lists())) # [('fruits', ['apple']), ('meat', ['beef'])]
print(request.GET.dict()) # {'fruits': 'apple', 'meat': 'beef'}
print(dict(request.GET)) # {'fruits': ['apple'], 'meat': ['beef']}
print(request.META['QUERY_STRING']) # fruits=apple&meat=beef
print(request.META.get('QUERY_STRING')) # fruits=apple&meat=beef
return render(request, 'index.html')
- [Django]-OSError β Errno 13 Permission denied
- [Django]-Foreignkey (user) in models
- [Django]-ManyRelatedManager object is not iterable
Source:stackexchange.com