Evgenii Legotckoi
Evgenii LegotckoiSept. 24, 2016, 5:55 p.m.

Django - Tutorial 008. Adding a Sitemap file on a site based on Django

RSS is added, but you need to help search engines index your site. And this is done with the help of Sitemap files that describe the structure of the site. Django provides a ready-made classes and mechanisms for the formation of Sitemap files, moreover it is possible to form the core of embedded Sitemap, ie subsidiaries Sitemap files, which will be responsible for certain areas. Django also has the ability to cache Sitemap files, which is useful in the event that there are tens of thousands of links on the site.

From the perspective of the current state of EVILEG COM site will be formed three Sitemap file, which will be invested in a major:

  • Main Sitemap permanent pages and home page of the site;
  • Sitemap sections;
  • Sitemap articles.

Configuration of settings.py

First we configure site configuration file to be able to work with Sitemap.

SITE_ID = 1

INSTALLED_APPS = [
    ...
    'django.contrib.sitemaps',
    'django.contrib.sites',
    ...
]

SITE_ID necessary to identify a resource in a database. If you will not be added this parameter, the site admin will not prescribe the url of your website for which is done Sitemap . Sitemap for search engines simply will not emerge then. After the site setting appears in the admin area, then you need to register the domain of your site, or in Sitemap url will start with example.com.

With regard INSTALLED_APPS , then all should be clear. The first module is responsible for handling sitemaps, and the second module is responsible for handling directly SITE_ID parameter in a database.

Configuration of urls.py of a main application of a site

Speaking about the main application, I mean the application, which is located in the settings.py file folder. In the current implementation, all url Sitemap Site urls.py described in the file is just the most basic of applications throughout the site.

Let's see, that is responsible for what.

from django.contrib.sitemaps import views as sitemap_views    # view 
from django.contrib.sitemaps import GenericSitemap            # Template class for Sitemap
from django.views.decorators.cache import cache_page          # cache decorator

from knowledge import models as knowledge_models     # Models of the articles and sections which will form Sitemap
from home.sitemap import HomeSitemap                 # Static Sitemap for relatively permanent pages

# Object partition map. It just takes all the objects from the database, 
# as well as the eponymous field in the model climbs the date of the last modification
sitemap_sections = {
    'queryset': knowledge_models.Section.objects.all(),
    'date_field': 'section_lastmod',
}

# But it is more interesting with articles. Here are collected only those articles that have been published. 
# And for this you need to write a special manager
sitemap_articles = {
    'queryset': knowledge_models.Article.objects.article_status(),
    'date_field': 'article_date',
}

# We form an object with all the cards and assign them names
sitemaps = {
    'sections': GenericSitemap(sitemap_sections, priority=0.5),
    'articles': GenericSitemap(sitemap_articles, priority=0.5),
    'home': HomeSitemap
}

# Templates the URL, note, it is given caching cache_page (86400)
# The first pattern will form the basic map of the site, which will indicate the URL of subsidiaries,
# 'sitemap-sections', 'sitemap-articles', 'sitemap-home'
# Notice that their name in common with the names of the parameters in the object sitemaps?
urlpatterns += [
    url(r'^sitemap\.xml$', cache_page(86400)(sitemap_views.index), {'sitemaps': sitemaps}),
    url(r'^sitemap-(?P<section>\w+)\.xml$', cache_page(86400)(sitemap_views.sitemap), {'sitemaps': sitemaps},
        name='django.contrib.sitemaps.views.sitemap'),
]

Static Sitemap

To begin with we shall understand with the static Sitemap, which means that it will be transferred to the page like a contact page, home page, offers, etc. In my case, it is in the home application.

from django.contrib import sitemaps
from django.urls import reverse     


class HomeSitemap(sitemaps.Sitemap):
    priority = 0.5        
    changefreq = 'daily'   

    # The method returns an array with url
    def items(self):
        return ['home:index', 'home:contacts']

    # The method of direct extraction url from Template
    def location(self, item):
        return reverse(item)

Section model

In order to form the url of Sitemap from model necessary to have get_absolute_url method in the model. In general, I recommend this method to add a bit earlier, because they are very convenient to use both templates and elsewhere in the code.

class Section(models.Model):

    ...

    section_url = models.CharField('URL Раздела', max_length=50)

    def get_absolute_url(self):
        return reverse('knowledge:section', kwargs={'section': self.section_url})

As you can see, the model contains a section of the address, which is inserted into the template 'knowledge: section'

Article model

Here is the same as that of the sections except that added ArticleManager , which is a substitute for objects, to extend the set of methods, for example by article_status , in which are collected only those articles that have been published. And this method instead of the method of all, you can see in urls.py file cards when forming articles.

class ArticleManager(models.Manager):
    use_for_related_fields = True

    def article_status(self):
        return self.get_queryset().exclude(article_status=False)


class Article(models.Model):

    ...

    article_section = models.ForeignKey(Section)

    objects = ArticleManager()    

    def get_absolute_url(self):
        return reverse('knowledge:article', kwargs={'section': self.article_section.section_url,
                                                    'article_id': self.id})

For Django I recommend VDS-server of Timeweb hoster .

We recommend hosting TIMEWEB
We recommend hosting TIMEWEB
Stable hosting, on which the social network EVILEG is located. For projects on Django we recommend VDS hosting.

Do you like it? Share on social networks!

Comments

Only authorized users can post comments.
Please, Log in or Sign up
Г

C++ - Test 001. The first program and data types

  • Result:66points,
  • Rating points-1
t

C++ - Test 001. The first program and data types

  • Result:33points,
  • Rating points-10
t

Qt - Test 001. Signals and slots

  • Result:52points,
  • Rating points-4
Last comments
G
GoattRockSept. 3, 2024, 11:50 p.m.
How to Copy Files in Linux Задумывались когда-нибудь о том, как мы привыкли доверять свои вещи службам грузоперевозок? Сейчас такие услуги стали неотъемлемой частью нашей жизни, особенно когда речь идет о переездах между …
ВР
Влад РусоковAug. 2, 2024, 11:47 a.m.
How to Copy Files in Linux Screenshot_20240802-065123.png
d
dblas5July 5, 2024, 9:02 p.m.
QML - Lesson 016. SQLite database and the working with it in QML Qt Здравствуйте, возникает такая проблема (я новичок): ApplicationWindow неизвестный элемент. (М300) для TextField и Button аналогично. Могу предположить, что из-за более новой верси…
k
kmssrFeb. 9, 2024, 5:43 a.m.
Qt Linux - Lesson 001. Autorun Qt application under Linux как сделать автозапуск для флэтпака, который не даёт создавать файлы в ~/.config - вот это вопрос ))
Qt WinAPI - Lesson 007. Working with ICMP Ping in Qt Без строки #include <QRegularExpressionValidator> в заголовочном файле не работает валидатор.
Now discuss on the forum
Evgenii Legotckoi
Evgenii LegotckoiJune 25, 2024, 1:11 a.m.
добавить qlineseries в функции Я тут. Работы оень много. Отправил его в бан.
F
FynjyJuly 22, 2024, 2:15 p.m.
при создании qml проекта Kits есть но недоступны для выбора Поставил Qt Creator 11.0.2. Qt 6.4.3 При создании проекта Qml не могу выбрать Kits, они все недоступны, хотя настроены и при создании обычного Qt Widget приложения их можно выбрать. В чем может …
BlinCT
BlinCTJune 25, 2024, 11 a.m.
Нарисовать кривую в qml Всем привет. Имеется Лист листов с тосками, точки получаны интерполяцией Лагранжа. Вопрос, как этими точками нарисовать кривую? ChartView отпадает сразу, в qt6.7 появился новый элемент…
BlinCT
BlinCTMay 5, 2024, 3:46 p.m.
Написать свой GraphsView Всем привет. В Qt есть давольно старый обьект дял работы с графиками ChartsView и есть в 6.7 новый но очень сырой и со слабым функционалом GraphsView. По этой причине я хочу написать х…
Evgenii Legotckoi
Evgenii LegotckoiMay 3, 2024, 12:07 a.m.
Мобильное приложение на C++Qt и бэкенд к нему на Django Rest Framework Добрый день. По моему мнению - да, но то, что будет касаться вызовов к функционалу Андроида, может создать огромные трудности.

Follow us in social networks