Flask-Admin & Authentication:"/admin"受到保护,但"/admin/anything-else"不受保护



我正试图使用Flask和Flask SuperAdmin自定义我的Admin视图,然而,索引视图和子视图显然没有使用相同的is_accessible方法:

编辑:我设法弄清楚自己做错了什么。我需要在每个视图类中定义is_accessible。使用mixin类可以很好地实现这一点,如固定代码所示

app/frontend/admin.py(固定和工作代码

from flask.ext.security import current_user, login_required
from flask.ext.superadmin import expose, AdminIndexView
from flask.ext.superadmin.model.base import ModelAdmin
from ..core import db
# all admin views should subclass AuthMixin
class AuthMixin(object):
    def is_accessible(self):
        if current_user.is_authenticated() and current_user.has_role('Admin'):
            return True
        return False
# the view that gets used for the admin home page
class AdminIndex(AuthMixin, AdminIndexView):
    # use a custom template for the admin home page
    @expose('/')
    def index(self):
        return self.render('admin/index.jade')
# base view for all other admin pages
class AdminBase(AuthMixin, ModelAdmin): # AuthMixin must come before ModelAdmin!
    """A base class for customizing admin views using our DB connection."""
    session = db.session
# customize the form displays for User and Role models
class UserAdmin(AdminBase):
    list_display = ('email',)
    search_fields = ('email',)
    exclude = ['password',]
    #fields_order = ['email', 'active', 'last_login_at',]
class RoleAdmin(AdminBase):
    field_args = {'name': {'label': 'Role Name'},
                'description': {'description': "Duties & Responsibilities"}}
    list_display = ('name', 'description')

然后使用我们的管理视图设置Flask应用程序:
apps/factory.py

app = Flask(package_name, instance_relative_config=True)
# other app setup stuff like db, mail, ...
from .frontend.admin import AdminIndex, UserAdmin, RoleAdmin
admin = Admin(app, name='PyCBM Admin',
              index_view=AdminIndex(url='/admin', name='Admin Home'))
admin.register(User, UserAdmin)
admin.register(Role, RoleAdmin)

所以,正如标题所说,问题是:

/admin throws a 403 when an 'Admin' user isn't logged in, like it should, but
/admin/user lets anybody right on in.

我翻遍了源代码,试图找到另一个"全局所有管理蓝图"安全功能——也许我是盲人——但我找不到。

如果转到flask_superadmin/base.py,在第193行有以下代码片段:

def _handle_view(self, name, *args, **kwargs):
    if not self.is_accessible():
        return abort(403)

因此,这个方法可能必须被AdminIndex覆盖,以避免返回abort(403),而是重定向到/login

最新更新