First a little background:
I have an Event
model that has various event_type
s. I want to break one of those event types, \'Film\', into it\'s o
Looking at the Django source, the admin URLs are built in two places, in the ModelAdmin
instances, and in the AdminSite
instances.
The part you want to change is built in the AdminSite instance (django.contrib.admin.sites.AdminSite
), you can subclass that and override the get_urls
method. If you look at the second half of the method you'll see this:
# Add in each model's views. for model, model_admin in self._registry.iteritems(): urlpatterns += patterns('', url(r'^%s/%s/' % (model._meta.app_label, model._meta.module_name), include(model_admin.urls)) )
There it is adding the model's ._meta.module_name which is just the model's name lowercased (django.db.models.options.Options.contribute_to_class
).
An easy way out is to override the Site's get_urls
method and add a dict or special case for the Proxy model so it uses a different url instead of model._meta.module_name
, something along the lines:
class MyAdminSite(AdminSite):
module_name_dict = { EventAdminProxy: 'myfunkymodulename' } def get_urls(self): base_patterns = super(MyAdminSite, self).get_urls() my_patterns = patterns('',) for model, model_admin in self._registry.iteritems(): if model in self.module_name_dict: module_name = self.module_name_dict[model] my_patterns += patterns('', url(r'^%s/%s/' % (model._meta.app_label, module_name), include(model_admin.urls)) ) return my_patterns + base_patterns