Ecosyste.ms: Awesome
An open API service indexing awesome lists of open source software.
https://github.com/neurospeech/atoms-mvc.net
ASP.NET MVC REST Extensions
https://github.com/neurospeech/atoms-mvc.net
Last synced: about 2 months ago
JSON representation
ASP.NET MVC REST Extensions
- Host: GitHub
- URL: https://github.com/neurospeech/atoms-mvc.net
- Owner: neurospeech
- License: gpl-3.0
- Created: 2014-04-27T09:43:46.000Z (over 10 years ago)
- Default Branch: master
- Last Pushed: 2015-12-29T14:39:57.000Z (almost 9 years ago)
- Last Synced: 2024-11-03T21:38:32.890Z (about 2 months ago)
- Language: C#
- Size: 2.59 MB
- Stars: 3
- Watchers: 2
- Forks: 3
- Open Issues: 0
-
Metadata Files:
- Readme: README.md
- License: LICENSE
Awesome Lists containing this project
README
ASP.NET MVC REST Extensions
===========================Features
---------
1. Database Firewall based on User Role
2. Full async support
3. Support for property level read/write access
4. JSON Query Syntax
5. Dynamic DTO (No more DTO designing)
6. Dynamic DTO based on user roles
7. Full CRUD support with inbuilt security
8. Advanced JSON Serialization
9. Support for bulk entity editProblem Definition
------------------
1. Too many DTOs (Data Transfer Objects) combinations based on different user roles and different semantics.
2. Total number of methods = Number of user roles * Number of entities.
3. Trying to write base classes to extract common functionalities found in problem defition #2.
4. Finally repeating business logic in each of methods as well.Goal
----
Our goal was to reduce number of methods, write one and only one simple business logic per entity
and create a database "Firewall" referred as "SecurityContext" which allows specifiying access rules in the
form of LINQ and you can also load them dynamically from database.Database Firewall?
------------------
Let's review Firewall rules.INCOMING PORT 80 ALLOW
INCOMING PORT 443 ALLOW
INCOMING PORT * DISALLOWSecurity Context
----------------
How about similar firewall rules for Entity Framework based on current user that is logged in.// assuming db.UserID has value of current logged in User
public class UserSecurityContext : BaseSecurityContext{
// You should only use singleton instance
// for performance reasons
public static UserSecurityContext Instance = new UserSecurityContext();
private UserSecurityContext(){
SetWebUserRule(CreateRule());
SetMessageRule(CreateRule());
}private void SetWebUserRule(
EntityPropertyRulesCreator rule){// user cannot delete anything from this table
rule.SetDeleteRule(rule.NotSupportedRule);// user can read only record that has UserID set to current UserID
rule.SetReadRule(db =>
user => user.UserID == db.UserID);// user can read/write only his/her email address and name
rule.SetProperty(SerializeMode.ReadWrite,
user => user.FirstName,
user => user.LastName,
user => user.EmailAddress);// user can read his membership status
rule.SetProperty(SerializeMode.Read,
user => user.MembershipStatus);}
private void SetMessageRule(
EntityPropertyRulesCreator rule){// user cannot delete anything from this table
rule.SetDeleteRule(rule.NotSupportedRule);// user can read messages that were sent by/to him/her
rule.SetReadRule(db =>
msg => msg.UserID == db.UserID || msg.Recipients.Any( rcpt => rcpt.UserID == db.UserID ));// user can write messages that were sent by him/her
rule.SetWriteRule(db =>
msg => msg.UserID == db.UserID);// user can read/write only his/her email address and name
rule.SetProperty(SerializeMode.ReadWrite,
user => user.Subject,
user => user.Message);}
}
Usage
-----
using(ModelDbContext db = new ModelDbContext()){
// db.SecurityContext is null by default
// all operations are executed without any security
db.SecurityContext = UserSecurityContext.Instance;
// set current user id
db.UserID = 2;
// security context rules are automatically applied here
var user = db.Query().FirstOrDefault();
// try to modify password
user.Password = "password";
// raises an exception saying password cannot be modified
db.SaveChanges();
}How does it work?
-----------------
Instead of DbContext, we have provided AtomDbContext, which contains SecurityContext property,
and all operations performed through this class passed through SecurityContext and it obeys every rule.DbContext Generator
-------------------We have included text template in the folder "db-context-tt", which you have to include in your Model folder and set
connection string to generate DbContext model automatically from specified database.Query Method
------------
If you use `db.Messages.Where()` method, there are no security rules applied. So you have to use following Query
method. Instead you must use `db.Query()`.SaveChanges Method
------------------When you call SaveChanges method, following logic is executed.
This is for reference, this happens automatically as a part of validation logic, you do not have to
write this code.
//For every modified entity, we query entity to database with identity query for example,void VerifyWriteAccess(entity entityToModify){
var editedEntity = entityToModify;
var q = db.Query();// security rule
q = q.Where(msg => msg.UserID == db.UserID);var dbEntity = q = q.FirstOrDefault(msg => msg.MessageID == editedEntity.MessageID);
// if for any reason security rule failed, dbEntity will be null
if(dbEntity == null)
throw new EntityAccessException("You do not have access to Entity Message");// verify if current SecurityContext has write access to
// to each of modified property
}// This is inside a transaction
// VERIFY WRITE ACCESS
// Before running SaveChangesVerifyWriteAccess(entityToModify);
// Perform Save Action to database
base.SaveChanges();// VERIFY WRITE ACCESS
// after running SaveChanges
// Exception here causes transaction to rollback
VerifyWriteAccess(entityToModify);Entity Controller for Mvc
=========================[ValidateInput(false)]
public class EntityController : AtomEntityController {
protected void OnInitialized(){
base.OnInitialized();
// set security context...
Repository.SecurityContext =
UserSecurityContext.Instance;
}
}
You can either set SecurityContext in initialization or after authentication, based on your choice. However, by default
HttpContext.Items["Repository"] and HttpContext.Items["SecurityContext"] are used to initialize all controllers.Setup Route
-----------context.MapRoute(
"App_entity",
"App/Entity/{table}/{action}",
new { controller = "EntityController", action = "Query" },
new string[] { "MyApp.Areas.App.Controllers" }
);Query Method Example
--------------------
Return all messages sent by user with id 2, with DateSent in descending order./app/entity/message/query
?query={UserID:2}
&orderBy=DateReceived+DESC
&fields={MessageID:'',Subject:''}
&start=10
&size=10query expects anonymous object as filter, here are more examples
Filter Operators
----------------
Filtering was made easy to read and easy to create from JavaScript.Messages with UserID more than 2
{'UserID >': 2}Navigation Property Filter
--------------------------
Messages sent to UserID 2
{'Recepients any': { UserID: 2 }}This one is tricky, let's review Message Model, basically Message
class has Recepients navigation property so query{'Recepients any': { UserID: 2 }}
Translates to following linqmsg => msg.Recepients.Any( rcpt => rcpt.UserID == 2 );
Example Queries
---------------{ 'Parent.UserID':2 }
msg => msg.Parent.UserID == 2;{ 'UserID between': [3,7]}
msg => msg.UserID <=3 && msg.UserID >= 7;// by default, multiple conditions are combined with "AND" operand
{ UserID: 4, 'Status !=': 'Sent' }
msg => msg.UserID = 4 && msg.Status != 'Sent'// for OR, condition group must be enclosed with $or as follow
{ $or: { 'UserID !=':4, Status: 'Sent' } }
msg => msg.UserID != 4 || msg.Status == 'Sent'){ UserID: 4 , $or: { 'UserID !=':4, Status: 'Sent' } }
msg => msg.UserID == 4 && ( msg.UserID != 4 || msg.Status == 'Sent'){ 'Status in':[ 'Sent', 'Pending' ] }
var list = new List(){ 'Sent','Pending' };
msg => list.Contains(msg.Status);Each of query is filtered upon existing Security Context rules, and
properties are returned only on the basis of Read access, so you do not have to
write or worry about any DTOs anymore.Save Method
-----------Post method expects a named parameter called "formValue" and which contains JSON Serialized text.
This benefits adding mime attachments as separate form field.$id refers to primary key value for search.
POST /app/entity/message/save
formModel={ $id:2, 'UserName': 'NewValue' }Bulk Save Method
-----------Post method expects a named parameter called "formValue" and which contains JSON Serialized text.
This benefits adding mime attachments as separate form field.$id refers to primary key value for search.
POST /app/entity/message/bulksave
formModel={ $ids:'2,4,5', 'UserName': 'NewValue' }