sites.txt 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432
  1. =====================
  2. The "sites" framework
  3. =====================
  4. .. module:: django.contrib.sites
  5. :synopsis: Lets you operate multiple Web sites from the same database and
  6. Django project
  7. .. currentmodule:: django.contrib.sites.models
  8. Django comes with an optional "sites" framework. It's a hook for associating
  9. objects and functionality to particular Web sites, and it's a holding place for
  10. the domain names and "verbose" names of your Django-powered sites.
  11. Use it if your single Django installation powers more than one site and you
  12. need to differentiate between those sites in some way.
  13. The whole sites framework is based on a simple model:
  14. .. class:: Site
  15. A model for storing the ``domain`` and ``name`` attributes of a Web site.
  16. The :setting:`SITE_ID` setting specifies the database ID of the
  17. :class:`~django.contrib.sites.models.Site` object associated with that
  18. particular settings file.
  19. .. attribute:: domain
  20. The domain name associated with the Web site.
  21. .. attribute:: name
  22. A human-readable "verbose" name for the Web site.
  23. How you use this is up to you, but Django uses it in a couple of ways
  24. automatically via simple conventions.
  25. Example usage
  26. =============
  27. Why would you use sites? It's best explained through examples.
  28. Associating content with multiple sites
  29. ---------------------------------------
  30. The Django-powered sites LJWorld.com_ and Lawrence.com_ are operated by the
  31. same news organization -- the Lawrence Journal-World newspaper in Lawrence,
  32. Kansas. LJWorld.com focuses on news, while Lawrence.com focuses on local
  33. entertainment. But sometimes editors want to publish an article on *both*
  34. sites.
  35. The brain-dead way of solving the problem would be to require site producers to
  36. publish the same story twice: once for LJWorld.com and again for Lawrence.com.
  37. But that's inefficient for site producers, and it's redundant to store
  38. multiple copies of the same story in the database.
  39. The better solution is simple: Both sites use the same article database, and an
  40. article is associated with one or more sites. In Django model terminology,
  41. that's represented by a :class:`~django.db.models.ManyToManyField` in the
  42. ``Article`` model::
  43. from django.db import models
  44. from django.contrib.sites.models import Site
  45. class Article(models.Model):
  46. headline = models.CharField(max_length=200)
  47. # ...
  48. sites = models.ManyToManyField(Site)
  49. This accomplishes several things quite nicely:
  50. * It lets the site producers edit all content -- on both sites -- in a
  51. single interface (the Django admin).
  52. * It means the same story doesn't have to be published twice in the
  53. database; it only has a single record in the database.
  54. * It lets the site developers use the same Django view code for both sites.
  55. The view code that displays a given story just checks to make sure the
  56. requested story is on the current site. It looks something like this::
  57. from django.contrib.sites.models import get_current_site
  58. def article_detail(request, article_id):
  59. try:
  60. a = Article.objects.get(id=article_id, sites__id__exact=get_current_site(request).id)
  61. except Article.DoesNotExist:
  62. raise Http404
  63. # ...
  64. .. _ljworld.com: http://www.ljworld.com/
  65. .. _lawrence.com: http://www.lawrence.com/
  66. Associating content with a single site
  67. --------------------------------------
  68. Similarly, you can associate a model to the
  69. :class:`~django.contrib.sites.models.Site`
  70. model in a many-to-one relationship, using
  71. :class:`~django.db.models.ForeignKey`.
  72. For example, if an article is only allowed on a single site, you'd use a model
  73. like this::
  74. from django.db import models
  75. from django.contrib.sites.models import Site
  76. class Article(models.Model):
  77. headline = models.CharField(max_length=200)
  78. # ...
  79. site = models.ForeignKey(Site)
  80. This has the same benefits as described in the last section.
  81. .. _hooking-into-current-site-from-views:
  82. Hooking into the current site from views
  83. ----------------------------------------
  84. You can use the sites framework in your Django views to do
  85. particular things based on the site in which the view is being called.
  86. For example::
  87. from django.conf import settings
  88. def my_view(request):
  89. if settings.SITE_ID == 3:
  90. # Do something.
  91. else:
  92. # Do something else.
  93. Of course, it's ugly to hard-code the site IDs like that. This sort of
  94. hard-coding is best for hackish fixes that you need done quickly. The
  95. cleaner way of accomplishing the same thing is to check the current site's
  96. domain::
  97. from django.contrib.sites.models import get_current_site
  98. def my_view(request):
  99. current_site = get_current_site(request)
  100. if current_site.domain == 'foo.com':
  101. # Do something
  102. else:
  103. # Do something else.
  104. This has also the advantage of checking if the sites framework is installed, and
  105. return a :class:`RequestSite` instance if it is not.
  106. If you don't have access to the request object, you can use the
  107. ``get_current()`` method of the :class:`~django.contrib.sites.models.Site`
  108. model's manager. You should then ensure that your settings file does contain
  109. the :setting:`SITE_ID` setting. This example is equivalent to the previous one::
  110. from django.contrib.sites.models import Site
  111. def my_function_without_request():
  112. current_site = Site.objects.get_current()
  113. if current_site.domain == 'foo.com':
  114. # Do something
  115. else:
  116. # Do something else.
  117. Getting the current domain for display
  118. --------------------------------------
  119. LJWorld.com and Lawrence.com both have email alert functionality, which lets
  120. readers sign up to get notifications when news happens. It's pretty basic: A
  121. reader signs up on a Web form, and he immediately gets an email saying,
  122. "Thanks for your subscription."
  123. It'd be inefficient and redundant to implement this signup-processing code
  124. twice, so the sites use the same code behind the scenes. But the "thank you for
  125. signing up" notice needs to be different for each site. By using
  126. :class:`~django.contrib.sites.models.Site`
  127. objects, we can abstract the "thank you" notice to use the values of the
  128. current site's :attr:`~django.contrib.sites.models.Site.name` and
  129. :attr:`~django.contrib.sites.models.Site.domain`.
  130. Here's an example of what the form-handling view looks like::
  131. from django.contrib.sites.models import get_current_site
  132. from django.core.mail import send_mail
  133. def register_for_newsletter(request):
  134. # Check form values, etc., and subscribe the user.
  135. # ...
  136. current_site = get_current_site(request)
  137. send_mail('Thanks for subscribing to %s alerts' % current_site.name,
  138. 'Thanks for your subscription. We appreciate it.\n\n-The %s team.' % current_site.name,
  139. 'editor@%s' % current_site.domain,
  140. [user.email])
  141. # ...
  142. On Lawrence.com, this email has the subject line "Thanks for subscribing to
  143. lawrence.com alerts." On LJWorld.com, the email has the subject "Thanks for
  144. subscribing to LJWorld.com alerts." Same goes for the email's message body.
  145. Note that an even more flexible (but more heavyweight) way of doing this would
  146. be to use Django's template system. Assuming Lawrence.com and LJWorld.com have
  147. different template directories (:setting:`TEMPLATE_DIRS`), you could simply farm out
  148. to the template system like so::
  149. from django.core.mail import send_mail
  150. from django.template import loader, Context
  151. def register_for_newsletter(request):
  152. # Check form values, etc., and subscribe the user.
  153. # ...
  154. subject = loader.get_template('alerts/subject.txt').render(Context({}))
  155. message = loader.get_template('alerts/message.txt').render(Context({}))
  156. send_mail(subject, message, 'editor@ljworld.com', [user.email])
  157. # ...
  158. In this case, you'd have to create :file:`subject.txt` and :file:`message.txt` template
  159. files for both the LJWorld.com and Lawrence.com template directories. That
  160. gives you more flexibility, but it's also more complex.
  161. It's a good idea to exploit the :class:`~django.contrib.sites.models.Site`
  162. objects as much as possible, to remove unneeded complexity and redundancy.
  163. Getting the current domain for full URLs
  164. ----------------------------------------
  165. Django's ``get_absolute_url()`` convention is nice for getting your objects'
  166. URL without the domain name, but in some cases you might want to display the
  167. full URL -- with ``http://`` and the domain and everything -- for an object.
  168. To do this, you can use the sites framework. A simple example::
  169. >>> from django.contrib.sites.models import Site
  170. >>> obj = MyModel.objects.get(id=3)
  171. >>> obj.get_absolute_url()
  172. '/mymodel/objects/3/'
  173. >>> Site.objects.get_current().domain
  174. 'example.com'
  175. >>> 'http://%s%s' % (Site.objects.get_current().domain, obj.get_absolute_url())
  176. 'http://example.com/mymodel/objects/3/'
  177. Caching the current ``Site`` object
  178. ===================================
  179. As the current site is stored in the database, each call to
  180. ``Site.objects.get_current()`` could result in a database query. But Django is a
  181. little cleverer than that: on the first request, the current site is cached, and
  182. any subsequent call returns the cached data instead of hitting the database.
  183. If for any reason you want to force a database query, you can tell Django to
  184. clear the cache using ``Site.objects.clear_cache()``::
  185. # First call; current site fetched from database.
  186. current_site = Site.objects.get_current()
  187. # ...
  188. # Second call; current site fetched from cache.
  189. current_site = Site.objects.get_current()
  190. # ...
  191. # Force a database query for the third call.
  192. Site.objects.clear_cache()
  193. current_site = Site.objects.get_current()
  194. .. currentmodule:: django.contrib.sites.managers
  195. The ``CurrentSiteManager``
  196. ==========================
  197. .. class:: CurrentSiteManager
  198. If :class:`~django.contrib.sites.models.Site` plays a key role in your
  199. application, consider using the helpful
  200. :class:`~django.contrib.sites.managers.CurrentSiteManager` in your
  201. model(s). It's a model :doc:`manager </topics/db/managers>` that
  202. automatically filters its queries to include only objects associated
  203. with the current :class:`~django.contrib.sites.models.Site`.
  204. Use :class:`~django.contrib.sites.managers.CurrentSiteManager` by adding it to
  205. your model explicitly. For example::
  206. from django.db import models
  207. from django.contrib.sites.models import Site
  208. from django.contrib.sites.managers import CurrentSiteManager
  209. class Photo(models.Model):
  210. photo = models.FileField(upload_to='/home/photos')
  211. photographer_name = models.CharField(max_length=100)
  212. pub_date = models.DateField()
  213. site = models.ForeignKey(Site)
  214. objects = models.Manager()
  215. on_site = CurrentSiteManager()
  216. With this model, ``Photo.objects.all()`` will return all ``Photo`` objects in
  217. the database, but ``Photo.on_site.all()`` will return only the ``Photo`` objects
  218. associated with the current site, according to the :setting:`SITE_ID` setting.
  219. Put another way, these two statements are equivalent::
  220. Photo.objects.filter(site=settings.SITE_ID)
  221. Photo.on_site.all()
  222. How did :class:`~django.contrib.sites.managers.CurrentSiteManager`
  223. know which field of ``Photo`` was the
  224. :class:`~django.contrib.sites.models.Site`? By default,
  225. :class:`~django.contrib.sites.managers.CurrentSiteManager` looks for a
  226. either a :class:`~django.db.models.ForeignKey` called
  227. ``site`` or a
  228. :class:`~django.db.models.ManyToManyField` called
  229. ``sites`` to filter on. If you use a field named something other than
  230. ``site`` or ``sites`` to identify which
  231. :class:`~django.contrib.sites.models.Site` objects your object is
  232. related to, then you need to explicitly pass the custom field name as
  233. a parameter to
  234. :class:`~django.contrib.sites.managers.CurrentSiteManager` on your
  235. model. The following model, which has a field called ``publish_on``,
  236. demonstrates this::
  237. from django.db import models
  238. from django.contrib.sites.models import Site
  239. from django.contrib.sites.managers import CurrentSiteManager
  240. class Photo(models.Model):
  241. photo = models.FileField(upload_to='/home/photos')
  242. photographer_name = models.CharField(max_length=100)
  243. pub_date = models.DateField()
  244. publish_on = models.ForeignKey(Site)
  245. objects = models.Manager()
  246. on_site = CurrentSiteManager('publish_on')
  247. If you attempt to use :class:`~django.contrib.sites.managers.CurrentSiteManager`
  248. and pass a field name that doesn't exist, Django will raise a ``ValueError``.
  249. Finally, note that you'll probably want to keep a normal
  250. (non-site-specific) ``Manager`` on your model, even if you use
  251. :class:`~django.contrib.sites.managers.CurrentSiteManager`. As
  252. explained in the :doc:`manager documentation </topics/db/managers>`, if
  253. you define a manager manually, then Django won't create the automatic
  254. ``objects = models.Manager()`` manager for you. Also note that certain
  255. parts of Django -- namely, the Django admin site and generic views --
  256. use whichever manager is defined *first* in the model, so if you want
  257. your admin site to have access to all objects (not just site-specific
  258. ones), put ``objects = models.Manager()`` in your model, before you
  259. define :class:`~django.contrib.sites.managers.CurrentSiteManager`.
  260. How Django uses the sites framework
  261. ===================================
  262. Although it's not required that you use the sites framework, it's strongly
  263. encouraged, because Django takes advantage of it in a few places. Even if your
  264. Django installation is powering only a single site, you should take the two
  265. seconds to create the site object with your ``domain`` and ``name``, and point
  266. to its ID in your :setting:`SITE_ID` setting.
  267. Here's how Django uses the sites framework:
  268. * In the :mod:`redirects framework <django.contrib.redirects>`, each
  269. redirect object is associated with a particular site. When Django searches
  270. for a redirect, it takes into account the current site.
  271. * In the comments framework, each comment is associated with a particular
  272. site. When a comment is posted, its
  273. :class:`~django.contrib.sites.models.Site` is set to the current site,
  274. and when comments are listed via the appropriate template tag, only the
  275. comments for the current site are displayed.
  276. * In the :mod:`flatpages framework <django.contrib.flatpages>`, each
  277. flatpage is associated with a particular site. When a flatpage is created,
  278. you specify its :class:`~django.contrib.sites.models.Site`, and the
  279. :class:`~django.contrib.flatpages.middleware.FlatpageFallbackMiddleware`
  280. checks the current site in retrieving flatpages to display.
  281. * In the :mod:`syndication framework <django.contrib.syndication>`, the
  282. templates for ``title`` and ``description`` automatically have access to a
  283. variable ``{{ site }}``, which is the
  284. :class:`~django.contrib.sites.models.Site` object representing the current
  285. site. Also, the hook for providing item URLs will use the ``domain`` from
  286. the current :class:`~django.contrib.sites.models.Site` object if you don't
  287. specify a fully-qualified domain.
  288. * In the :mod:`authentication framework <django.contrib.auth>`, the
  289. :func:`django.contrib.auth.views.login` view passes the current
  290. :class:`~django.contrib.sites.models.Site` name to the template as
  291. ``{{ site_name }}``.
  292. * The shortcut view (``django.views.defaults.shortcut``) uses the domain
  293. of the current :class:`~django.contrib.sites.models.Site` object when
  294. calculating an object's URL.
  295. * In the admin framework, the "view on site" link uses the current
  296. :class:`~django.contrib.sites.models.Site` to work out the domain for the
  297. site that it will redirect to.
  298. .. currentmodule:: django.contrib.sites.models
  299. ``RequestSite`` objects
  300. =======================
  301. .. _requestsite-objects:
  302. Some :doc:`django.contrib </ref/contrib/index>` applications take advantage of
  303. the sites framework but are architected in a way that doesn't *require* the
  304. sites framework to be installed in your database. (Some people don't want to, or
  305. just aren't *able* to install the extra database table that the sites framework
  306. requires.) For those cases, the framework provides a
  307. :class:`~django.contrib.sites.models.RequestSite` class, which can be used as a
  308. fallback when the database-backed sites framework is not available.
  309. .. class:: RequestSite
  310. A class that shares the primary interface of
  311. :class:`~django.contrib.sites.models.Site` (i.e., it has
  312. ``domain`` and ``name`` attributes) but gets its data from a Django
  313. :class:`~django.http.HttpRequest` object rather than from a database.
  314. The ``save()`` and ``delete()`` methods raise ``NotImplementedError``.
  315. .. method:: __init__(request)
  316. Sets the ``name`` and ``domain`` attributes to the value of
  317. :meth:`~django.http.HttpRequest.get_host`.
  318. A :class:`~django.contrib.sites.models.RequestSite` object has a similar
  319. interface to a normal :class:`~django.contrib.sites.models.Site` object, except
  320. its :meth:`~django.contrib.sites.models.RequestSite.__init__()` method takes an
  321. :class:`~django.http.HttpRequest` object. It's able to deduce the
  322. ``domain`` and ``name`` by looking at the request's domain. It has ``save()``
  323. and ``delete()`` methods to match the interface of
  324. :class:`~django.contrib.sites.models.Site`, but the methods raise
  325. ``NotImplementedError``.