Reputation: 23803
Regardless of the language or MVC framework used, how should I handle different views based on roles?
For example (pseudo code):
<% show post here %>
if (role.isAdmin or role.isModerator) {
<% show moderation tools %>
}
<% show rest of content %>
I don't quite like the idea of putting too much business logic into the view, but it doesn't seem like there're other options. Are there?
This gets messier and messier once you have more roles, or different levels of permissions. Take this site for example. Users with more than 200 rep see less ads. Users with more than 500 rep have a retag button. Then you get an edit button at 2000, a close button at 3000, moderation tools at 10k, and more functions if you are a "star" moderator.
Upvotes: 1
Views: 1177
Reputation: 165271
Personally, I think what's more important here is the difference between good and good enough...
While technically I think that classifies as business logic, for such a simple case I don't see a problem including it in the view.
Now, if you had more complex logic, I'd suggest creating a new view for each "logic branch", and choosing between them in the controller.
Upvotes: 0
Reputation: 251232
I agree with Arnis L. - but will add the following.
You could do this instead...
<% show post here %>
<% Html.RenderAction<MyControllerName>(m => m.ModerationTools()); %>
<% show rest of content %>
This has several benefits.
It encapsulates the Model and View required for moderation tools in a single Action.
It will probably remove the need for you to even have the role on the Model in the page you've posted as an example
It can be re-used on other pages.
Upvotes: 1
Reputation: 25359
You can make this a little neater by having a custom ViewModel with a boolean property called ShowModerationTools
. In your controller you perform the checks to see whether the current user, based on their roles, can see the post and set ShowModerationTools
to either true
or false
. You then return the custom ViewModel to the view. That way you can then just do this in your view:
<% show post here %>
if (Model.ShowModerationTools) {
<% show moderation tools %>
}
<% show rest of content %>
It also means if your business rules change (for instance you need to introduce another condition) you just change the controller and don't need to alter your view.
Upvotes: 4
Reputation: 47647
There is nothing wrong with this. It's not business logic. It's presentation logic.
Question that this if
answers is: should we show moderation tools?
It's not like: 'should regular user be able to delete whole history of payments' or something.
Upvotes: 3