Search code examples
pythondjangodjango-viewsdjango-generic-views

Django class-based view: How do I pass additional parameters to the as_view method?


I have a custom class-based view

# myapp/views.py
from django.views.generic import *

class MyView(DetailView):
    template_name = 'detail.html'
    model = MyModel

    def get_object(self, queryset=None):
        return queryset.get(slug=self.slug)

I want to pass in the slug parameter (or other parameters to the view) like this

MyView.as_view(slug='hello_world')

Do I need to override any methods to be able to do this?


Solution

  • Every parameter that's passed to the as_view method is an instance variable of the View class. That means to add slug as a parameter you have to create it as an instance variable in your sub-class:

    # myapp/views.py
    from django.views.generic import DetailView
    
    class MyView(DetailView):
        template_name = 'detail.html'
        model = MyModel
        # additional parameters
        slug = None
    
        def get_object(self, queryset=None):
            return queryset.get(slug=self.slug)
    

    That should make MyView.as_view(slug='hello_world') work.

    If you're passing the variables through keywords, use what Mr Erikkson suggested: https://stackoverflow.com/a/11494666/9903