用django开发web应用, 经常会遇到从一个旧的url转向一个新的url。这种隐射也许有规则,也许没有。但都是为了实现业务的需要。总体说来,有如下几种方法实现 django的 redirect。
1. 在url 中配置 redirect_to 或者 redirectview(django 1.3 版本以上)
2. 在view 中 通过 httpresponseredirect 实现 redirect
3. 利用 django 的 redirects app实现
1 在url 中配置 redirect_to 或者 redirectview(django 1.3 版本以上)
1
2
3
4
5
6
7
8
9
|
from django.views.generic.simple import redirect_to urlpatterns = patterns('', (r '^one/$' , redirect_to, { 'url' : '/another/' }), ) from django.views.generic import redirectview urlpatterns = patterns('', (r '^one/$' , redirectview.as_view(url = '/another/' )), ) |
2. 在view 中 通过 httpresponseredirect 实现 redirect
1
2
3
4
5
|
from django.http import httpresponseredirect def myview(request): ... return httpresponseredirect( "/path/" ) |
3. 利用 django 的 redirects app实现
1. 在settings.py 中 增加 'django.contrib.redirects' 到你的 installed_apps 设置.
2. 增加 'django.contrib.redirects.middleware.redirectfallbackmiddleware' 到你的middleware_classes 设置中.
3. 运行 manage.py syncdb. 创建 django_redirect 这个表,包含了 site_id, old_path and new_path 字段.
主要工作是 redirectfallbackmiddleware 完成的,如果 django 发现了404 错误,这时候,就会进django_redirect 去查找,有没有匹配的url 。如果有匹配且新的rul不为空则自动转向新的url,如果新的url为空,则返回410. 如果没有匹配,仍然按原来的错误返回。
注意,这种仅仅处理 404 相关错误,而不是 500 错误的。
增加删除 django_redirect 表呢?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
|
from django.db import models from django.contrib.sites.models import site from django.utils.translation import ugettext_lazy as _ from django.utils.encoding import python_2_unicode_compatible @python_2_unicode_compatible class redirect(models.model): site = models.foreignkey(site) old_path = models.charfield(_( 'redirect from' ), max_length = 200 , db_index = true, help_text = _( "this should be an absolute path, excluding the domain name. example: '/events/search/'." )) new_path = models.charfield(_( 'redirect to' ), max_length = 200 , blank = true, help_text = _( "this can be either an absolute path (as above) or a full url starting with 'http://'." )) class meta: verbose_name = _( 'redirect' ) verbose_name_plural = _( 'redirects' ) db_table = 'django_redirect' unique_together = (( 'site' , 'old_path' ),) ordering = ( 'old_path' ,) def __str__( self ): return "%s ---> %s" % ( self .old_path, self .new_path) |
采用类似如上的model ,另外用django相关orm 就可以实现save,delete了。
以上三种方法都可以实现 django redirect,其实最常用的,是第一种与第二种,第三种方法很少用。
原文链接:https://blog.csdn.net/ei__nino/article/details/8567698/