3

我在 DB 中有具有相同界面的表,用于使用 Pyramid 应用程序查看和编辑它们。例如:

表查看记录的路径示例report/birdreport/report/871;

表编辑记录路径示例report/birdreport/report/871/edit;

表的每条记录report都有包含的字段user_id- 该值与 authenticated_userid 函数返回的值相同。我很清楚如何edit通过添加查看权限来禁用访问。但是,我如何才能edit仅允许那些用户 ID 出现在相应记录中的用户查看?

4

1 回答 1

7

您可以通过在模型中定义来使用Pyramid 授权策略。例如:__acl__()Report

from sqlalchemy.orm import relationship, backref
from pyramid.security import Everyone, Allow

class Report(Base):
    # ...
    user_id = Column(Integer, ForeignKey('user.id'))
    # ...


    @property
    def __acl__(self):
        return [
            (Allow, Everyone, 'view'),
            (Allow, self.user_id, 'edit'),
        ]

    # this also works:
    #__acl__ = [
    #    (Allow, Everyone, 'view'),
    #    (Allow, self.user_id, 'edit'),
    #]

class User(Base):
    # ...
    reports = relationship('Report', backref='user')

以上将__acl__()允许每个人调用您的视图view,但仅限与它相关的Report用户edit


引用文档,您可能没有启用身份验证策略或授权策略:

使用 Configurator 的 set_authorization_policy() 方法启用授权策略。

您还必须启用身份验证策略才能启用授权策略。这是因为授权通常取决于身份验证。在应用程序设置期间使用 set_authentication_policy() 和方法来指定身份验证策略。

from pyramid.config import Configurator
from pyramid.authentication import AuthTktAuthenticationPolicy
from pyramid.authorization import ACLAuthorizationPolicy
authentication_policy = AuthTktAuthenticationPolicy('seekrit')
authorization_policy = ACLAuthorizationPolicy()
config = Configurator()
config.set_authentication_policy(authentication_policy)
config.set_authorization_policy(authorization_policy)

上述配置启用了一个策略,该策略将在请求环境中传递的“auth ticket”cookie 的值进行比较,该 cookie 包含对单个主体的引用与尝试调用某个视图时资源树中找到的任何 ACL 中存在的主体的引用。

虽然可以混合和匹配不同的身份验证和授权策略,但使用身份验证策略但没有授权策略配置 Pyramid 应用程序是错误的,反之亦然。如果这样做,您将在应用程序启动时收到错误消息。

于 2012-10-08T07:18:02.237 回答