Java教程

路由组件

本文主要是介绍路由组件,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

目录
  • 路由组件
    • SimpleRouter
    • DefaultRouter
  • action装饰器

路由组件

在使用CBV继承ViewSetMixin及其子类时,路由需要我们配置映射关系,手动配置过于麻烦,DRF提供了路由组件自动生成5个映射关系。

SimpleRouter

方式一:

from rest_framework.routers import SimpleRouter
# 实例化
router = SimpleRouter()
# 注册路由
router.register('books', views.BookView, 'books_view')
"""
第一个参数:路由地址(不要加斜杠,会自动添加)
第二个参数:CBV类(需要继承ViewSetMixin类及其子类)
第三个参数:别名,用于反向解析
"""
urlpatterns = []
# 将自动生成的路由添加到总路由中
urlpatterns += router.urls

方式二:

from rest_framework.routers import SimpleRouter
from django.conf.urls import include
# 实例化
router = SimpleRouter()
# 注册路由
router.register('books', views.BookView, 'books_view')
"""
第一个参数:路由地址(不要加斜杠,会自动添加)
第二个参数:CBV类(需要继承ViewSetMixin类及其子类)
第三个参数:别名,用于反向解析
"""
urlpatterns = [
    path('', include(router.urls))
]

image

DefaultRouter

在实际使用中DefaultRouter和SimpleRouter的功能并无区别,主要的区别在于总路由中多了路由:

使用方式于SimpleRouter一样。

image

浏览器直接访问127.0.0.1:8000:

image

action装饰器

因为路由自动生成只会有5个映射关系,无法映射我们自己写在CBV中的函数,这个时候就需要用到action装饰器。

action装饰器各项参数:

  • methods:请求方法,值为['get', 'post']代表get和post请求触发
  • detail:是否是带id的路由
  • url_path:路由路径,默认为函数名
  • url_name:别名,用于反向解析

detail为False时

CBV:

class UserView(ViewSet):
    @action(methods=['get'], detail=False, url_path='login', url_name='login-view')
    def login(self, request):
        return Response('login')

路由:

from rest_framework.routers import SimpleRouter
router = SimpleRouter()
router.register('user', views.UserView, 'user')
urlpatterns = []
urlpatterns += router.urls

image

detail为True时

CBV:

class UserView(ViewSet):
    @action(methods=['get'], detail=True, url_path='login', url_name='login-view')
    def login(self, request):
        return Response('login')

路由:

from rest_framework.routers import SimpleRouter
router = SimpleRouter()
router.register('user', views.UserView, 'user')
urlpatterns = []
urlpatterns += router.urls

image

这篇关于路由组件的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!