我首先通过这篇博文了解了数据、上下文和交互(DCI) 。对这个概念着迷,我努力将它构建到我的下一个 Rails 应用程序中。由于 DCI 与 MVC 协同工作,我认为同时使 API 成为 RESTful 不会太难。所以我制作了一个 RESTful 资源,并使用各种上下文对其进行扩展。我在 Rails 中实现上下文的方式是为扩展控制器操作的模块创建一个目录。所以我的样子是这样的:Report
/app/contexts/
reports_controller.rb
class ReportsController < ApplicationController
before_filter :only => :new do |c|
c.switch_context("submission")
end
# GET /reports
def index
@context.report_list
end
# GET /reports/1
def show
@context.display_report
end
# GET /reports/new
def new
@context.new_report
end
# GET /reports/1/edit
def edit
@context.edit_report
end
# POST /reports
def create
@context.create_report
end
def update
@context.update_report
end
# DELETE /reports/1
def destroy
@context.destroy_report
end
protected
def switch_context(context_name)
session[:context] = context_name
context = session[:context].camelize.constantize
@context ||= self.extend context
end
end
在application_controller.rb
我设置上下文时before_filter
:
class ApplicationController < ActionController::Base
before_filter :contextualize
protect_from_forgery
protected
# Sets the context of both current_user and self
# by extending with /app/roles/role_name
# and /app/contexts/context_name respectively
def contextualize
# Extend self (ActionController::Base) with context
if session[:context]
context_class = session[:context].camelize.constantize
if current_user.allowed_contexts.include?(context_class)
context_class = current_user.context if context_class == Visiting
else
context_class = Visiting
end
else
context_class = current_user.context
end
@context ||= self.extend context_class
end
end
请注意,除了控制器上下文之外,我还扩展current_user
了 a 。Role
以下是它的工作原理:
- 用户登录。
- 用户的角色是
RegisteredUser
。 RegisteredUser
的默认上下文是Search
(定义在 中/app/roles/registered_user.rb
)。- 在
Search
上下文中,用户只能查看已发布的报告。 - 用户按下“创建新报告”按钮,上下文更改为
Submission
并存储在current_user
的会话中。 - 然后,用户继续通过多步骤表单提交报告。
- 每次用户通过单步执行表单来保存报告时,
/app/contexts/submission.rb
上下文都会处理该操作。
还有其他几个上下文(评论、社论等)和角色(合著者、编辑等)。
到目前为止,这种方法在大多数情况下都运作良好。但是有一个缺陷:当用户打开多个浏览器窗口并更改其中一个窗口的上下文时,所有其他窗口都将处于错误的上下文中。如果用户处于多步骤表单的中间,然后在Search
上下文中打开一个窗口,这可能是一个问题。当他切换回表单并点击“下一步”时,控制器将执行由Search
上下文而不是Submission
上下文定义的动作。
我可以想到两种可能的方法:
Report
使用上下文名称命名资源。所以用户会访问诸如/search/reports
和之类的 URL/submission/reports/1
。这对我来说似乎不是 RESTful,我宁愿保持 URL 尽可能干净。- 将上下文名称放在隐藏字段中。这种方法需要开发者记住在站点的每个表单中都放置隐藏字段,并且它不适用于 GET 请求。
有没有其他方法可以解决这个问题,或者更好的整体实现?
我知道这个项目,但它对我们的需求来说太有限了。