Django之自定义权限

官方解释

Custom permissions

To create custom permissions for a given model object, use the permissions model Meta attribute.

This example Task model creates three custom permissions, i.e., actions users can or cannot do with Task instances, specific to your application:

class Task(models.Model):
    ...
    class Meta:
        permissions = (
            ("view_task", "Can see available tasks"),
            ("change_task_status", "Can change the status of tasks"),
            ("close_task", "Can remove a task by setting its status as closed"),
        )

The only thing this does is create those extra permissions when you run manage.py migrate (the function that creates permissions is connected to the post_migrate signal). Your code is in charge of checking the value of these permissions when a user is trying to access the functionality provided by the application (viewing tasks, changing the status of tasks, closing tasks.) Continuing the above example, the following checks if a user may view tasks:

user.has_perm('app.view_task')

项目实战

 定义权限字典

models.py

class UserProfile(models.Model):
    user = models.OneToOneField(User)
    name = models.CharField(max_length=64)
    school = models.ForeignKey('School')

    def __unicode__(self):
        return self.name

    # 设置3个权限字段,拥有权限者可操作此表(在admin中授权用户)
    class Meta:
        permissions = (
            ('view_customer_list',u"查看客户列表"),  # 权限字段名称及其解释
            ('view_customer_info',u"查看客户详情"),
            ('edit_own_customer_info',u"修改客户信息"),
        )

  

在APP下新建permissions.py,用于权限匹配控制

#!/usr/bin/env python
# _*_ coding:utf-8 _*_
__Author__ = 'Kongzhagen'

from django.core.urlresolvers import resolve
from django.shortcuts import render,redirect

# 3个权限字段对应三个URL规则,匹配后可操作
perm_dic = {
    'view_customer_list':['customer_list','GET',[]],  # 权限字段名称(models表中定义),URL别名,GET方法,请求参数
    'view_customer_info':['customer_detail','GET',[]],
    'edit_own_customer_info':['customer_detail','POST',['qq','name']],  # GET为查询,POST提交数据
}

def perm_check(*args, **kwargs):
    request = args[0]
    # 反向解析request中url
    url_resovle_obj = resolve(request.path_info)
    current_url_namespace = url_resovle_obj.url_name
    print "url namespace:",current_url_namespace
    matched_flag = False
    matched_perm_key = None
    # 如果正确反解析出了url且其在权限字典中
    if current_url_namespace is not None:
        print "find perm item ..."
        for perm_key in perm_dic:
            perm_val = perm_dic[perm_key]
            if len(perm_val) == 3:
                url_namespace,request_method,request_args = perm_val
                # 如果request中的url、get方法与权限列表中相同
                if url_namespace == current_url_namespace:
                    if request.method == request_method:
                        # 如果权限列表中无请求参数,此时已可以确定找到了权限规则
                        if not request_args:
                            matched_flag = True
                            matched_perm_key = perm_key
                            print 'matched perm ...'
                            break
                        else:
                            # 如果权限列表中有请求的参数,反射出request中get或post数据
                            request_method_func = getattr(request,request_method)
                            # 如果权限列表中所有请求参数都与反射出的参数匹配,则证明权限匹配成功
                            for request_arg in request_args:
                                if request_method_func.get(request_arg) is not None:
                                    matched_flag = True
                                else:
                                    # 一旦有不匹配的情况,则证明权限已经匹配错误,后续无须再做判断
                                    matched_flag = False
                                    print "request arg[%s] not matched" % request_arg
                                    break
                            # 如果此条规则匹配成功,不需要再做后续其它规则的匹配
                            if matched_flag == True:
                                print "--passed permission check --"
                                matched_perm_key = perm_key
                                break
    else:
        # 如果request解析出的url与urls不匹配,放过???
        return True
    # request请求与权限规则已匹配
    if matched_flag == True:
        perm_str = 'crm.%s' % matched_perm_key
        # 如果用户被授与此权限,返回True,否则返回False
        if request.user.has_perm(perm_str):
            print "33[42;1m ------ permission checked -------33[0m"
            return True
        else:
            print "33[41;1m ------- no permission --------33[0m"
            print request.user,perm_str
            return False
    else:
        print "33[41;1m ------ no matched permission ----- 33[0m"

def check_permission(func):
    def wrapper(*args, **kwargs):
        print "--start check perms",args[0]
        if not perm_check(*args, **kwargs):
            return render(args[0],'crm/403.html')
        return func(*args, **kwargs)
    return wrapper

  

修改视图

设置URLS

from django.conf.urls import url
from django.contrib import admin
import views

urlpatterns = [
    url(r'^$', views.dashboard),
    url(r'^customers/$', views.customers, name='customer_list'),
    url(r'^customers/(d+)/$', views.customerInfo, name='customer_detail'),
]

  

验证

以普通用户登陆customers,查看客户列表 

用admin给普通用户授予查看客户列表权限

 再次用普通用户查看

自定义权限设置成功。。。

原文地址:https://www.cnblogs.com/kongzhagen/p/6679365.html