Click here to Skip to main content
15,886,693 members
Articles / Security

Validation & Security in MVC Application

Rate me:
Please Sign up or sign in to vote.
4.69/5 (8 votes)
6 Sep 2015CPOL13 min read 22.1K   10   4
Validation & security in MVC application

Introduction

Validations in any application are so critical now a days that developers ought to be on their toes while developing any such critical and sensitive applications. Hackers are now in every corner of society, avoid them, restrict them from posting non sense data into your applications. The attacks are so vulnerable that a security guard of any application is mandatory.

security1

The security checks and implementations should be alert and active in the application to counter the attacks. Let's start learning about different types of validations we can have in our MVC application.

Server-Side Validation

Let's begin with simple server side validations. Server side validations are required when we post something to the server with an expectation for the response, usually while posting form data. The form data post is generally very vulnerable. The attacks are quite easier for the attacker here. Thus, we need to check on the server if we are receiving valid data or not on our end. Thus, server side validation can to some extent prevent nonsense input data. Let's discuss how to do validation explicitly using view model. Let's discuss how:
Explicitly means, we would be checking on server side after form post by the user, if the data input are valid input or not, then we post back the user with the validation message as response.
Suppose we have a model for the Registration of a user to an application. The model goes as below:

C#
public class RegistrationViewModel(){
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Address1 { get; set; }
    public string Address2 { get; set; }
    public string TelNo { get; set; }
}

Thus in the view/UI user will be displayed with the above labels and respective text boxes for input. The razor engine view page in the application looks like:

HTML
@model ServerSideValidationDemo.Models.RegistrationViewModel
@{
 ViewBag.Title = "Registration Page";
}

@using (Html.BeginForm())
{
 <fieldset>
 <ul>
 <li>
 @Html.LabelFor(m => m.FirstName)
 @Html.TextBoxFor(m => m.FirstName, new { maxlength = 50 })
 @Html.ValidationMessageFor(m => m.FirstName)
 </li>
 <li>
 @Html.LabelFor(m => m.LastName)
 @Html.PasswordFor(m => m.LastName, new { maxlength = 50 })
 @Html.ValidationMessageFor(m => m.LastName)
 </li>
 <li>
 @Html.LabelFor(m => m.Address1)
 @Html.PasswordFor(m => m.Address1, new { maxlength = 50})
 @Html.ValidationMessageFor(m => m.Address1)
 </li>
 <li>
 @Html.LabelFor(m => m.Address2)
 @Html.TextAreaFor(m => m.Address2, new { maxlength = 200 })
 @Html.ValidationMessageFor(m => m.Address2)
 </li>
 <li>
 @Html.LabelFor(m => m.TelNo)
 @Html.TextBoxFor(m => m.MobileNo, new { maxlength = 10 })
 @Html.ValidationMessageFor(m => m.MobileNo)
 </li>
</ul>
 <input type="submit" value="Submit" />
 </fieldset>
}

Thus, the above snippet would bring the user the UI where the users would post their input and click submit. In the razor view page, you can see the HTML Helper ValidationMessageFor. This helper displays the Validation message returned after validation from the server as response, at the respective model property. Like for example, we want the user to enter the Model property First name as mandatory, then after validation, the helper would display the validation message beside the First Name Text Box.
Now let's take a look at the Action snippet which the post would call after Submit click.

C#
[HttpPost]
public ActionResult UserRegistration(RegistrationViewModel registerModel){
     if (string.IsNullOrEmpty(registerModel.FirstName))
         {
             ModelState.AddModelError("FirstName", "Please enter your first name");
         }
     if (!string.IsNullOrEmpty(registerModel.TelNo))
         { 
             Regex telNoRegex= new Regex("^9\d{9}$");
             if (!telNoRegex.IsMatch(registerModel.TelNo))
             ModelState.AddModelError("TelNo", "Please enter correct format of Telephone Number");
         }
     if(ModelState.IsValid){
         return View("Sucess");  //Returns user to success page
         }
      else {
         return View();          //Returns user to the same page back again
        }
 }

Before explaining the above snippet, let's understand how this will be called after Submit click.
@using (Html.BeginForm()), this does the trick even without specifying the Action and controller. This actually internally calls the Post method of the current url, i.e., looks for the HttpPost attribute to the respective action name of the current url. Thus, in this way, the post method of UserRegistration gets called and this also posts the required view model to the action, fetching the values input by the user.

After the Action Result method gets called, there is check for the properties explicitly. Here, we check if the user has input into the First name or not. If the user skipped the First Name textbox and submits, then we post to the user with the validation message saying “Please enter the first name”. This validation check will not let the user post the input, unless he adds the first name. Similarly, the telephone number is also validated with the regular expression (for the Indian telephone number) given.
This was all about the validation being done explicitly.

Now, since we are developing an MVC application, it provides pre defined attributes which can be used to validate our post data. The attributes are called Data-Annotations attribute. Let's look at their usages below:
The use of data annotations can be extensively done in order to avoid heavying the controller post action, explicitly checking for each property. The data annotations attribute in a view model would look like below:

C#
public class RegistrationViewModel(){
    [Required]
    [Display(Name = "First name")]
    [StringLength(50, ErrorMessage = 
          "The {0} must be at least {2} characters long.", MinimumLength = 6)]
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Address1 { get; set; }
    public string Address2 { get; set; }
    [Required(ErrorMessage = "Please Enter Telephone Number")]
    [Display(Name = "Tele Phone")]
    [RegularExpression(""^9\d{9}$"", ErrorMessage = "Please Enter Correct format of Telephone No.")]
    public string TelNo { get; set; }
}

The view model above uses Data Annotations attributes and all the required validations for the properties are provided. Let's discuss one by one:

Thus, here the view page would go like the same one above. And when we submit, the action post method called would be different, i.e., much less code. Let's take a look at the action below:

C#
[HttpPost]
 public ActionResult UserRegistration(RegistrationViewModel registerModel){
    if (ModelState.IsValid)
      {
         return View("Success");//Return to the success 
      }
    else
      {
         return View();         //Return back to the same view 
      }
 }

Thus, the data annotations here made it so simple and easy.
Here then comes another security vulnerability, i.e., Cross-Site Request Forgery Attacks, which can be easily attacked using the simple Fiddler. When we post any data, we can easily manipulate the data posted by one user using the fiddler and damp into the application and even ruin it. This is indeed very dangerous. Let's see how to prevent Cross site forgery attacks.

Preventing Cross Site forgery Attacks

In MVC applications, while posting the form data, it is quite simple to prevent such request if understood properly. MVC provides the attribute [ValidatAntiForgeryToken] on the respective action. Let's see the flow in the snippet first.
First, we need to place the AntiForgeryToken helper in the razor view page like:

C#
@using(Html.Form("UserRegistration", "Register")) { 
    @Html.AntiForgeryToken() 
    //Then here normal rest form as mentioned above    
 }

Then in the controller “Register” for the action “UserRegistration”(POST), add the attribute like below:

C#
[HttpPost]
[ValidateAntiForgeryToken]
public ActionResult UserRegistration(RegistrationViewModel registerModel){
   //ModeState Valid check and rest code goes here
}

Ok, so we have seen what two simple steps we need to do. Now let's understand how it is done. What happens exactly when we do not place these attributes. How vulnerable is our controller and to what extent can an attacker affect the application. Suppose we are on an Edit page, where a user seeks to edit some of his login information. Now an attacker from a third party domain comes and hosts a simple HTML that would post some information to the same Edit action, the user was to do so. Then, somehow if the user navigates to the Html page set up by the attacker, the user unknowingly is posting unwanted data to the server and normal saving to the database. Here, the attacker may be replacing the email ids or any other vulnerable information to his own and retrieving the user’s data. BOOM! This is crash, rather crap!

Thus, what we need to do here, we need to check if the request to the server action is coming from the same domain that the user has logged in! For this, we need to have some header or property which will be mapped when a request is made and if it matches, then post, else let the authentication fail.

This is actually what the attribute does. The ValidateAntiForgeryToken actually sets a cookie to the incoming request called __RequestVerificationToken, and the same __RequestVerificationToken is set for the domain in which the user is logged in. Thus, when a request is made from the same domain, the request header cookie should match and let the user post the data, but when a request is made from the third party domain, then the request is rejected since the __RequestVerificationToken will never match, just failing the authentication and preventing the Cross Site Forgery by any attacker.

Another concept that is vulnerable to such attacks and may breach the security in the application is SQL Injection. Let's discuss this in brief. :)

SQL Injection Attacks & Prevention Techniques

What exactly is SQL Injection attack? thinkzoo
SQL Injection is an attack to fool and manipulate the application database. This is done through the malicious input from the user during post methods and if the posted data is not validated before being executed as SQL query. This is really very dangerous which can let attackers get all the sensitive data or even delete the records from all tables, truncating them, just by posting a simple query to drop instead of actual data.
In this, the objective of the attacker is to post their query into the application and let the server run and give him the response if not handled in the server end. Let's see how:
Suppose we have a SQL Query to select the names of houses and display. The query would be like:

C#
var sqlTobeExecuted = "SELECT HouseID, HouseName"+
    "FROM House " +
    "WHERE Address LIKE '" + searchInputParam +"%';
SqlDataAdapter da = new SqlDataAdapter(sqlTobeExecuted , DbCommand);

The above query is not parameterized and is a simple query in string format to get the house details. Now suppose the attacker posts the searchInputParam (which originally comes from the textbox input of the user) as:

SQL
UNION SELECT id,name FROM sysobjects;–

Mark the statement what becomes after that is passed to the string query,

SQL
SELECT HouseID,HouseName FROM House
WHERE Address LIKE " UNION SELECT id,name FROM sysobjects;–%’

The first apostrophe in the searchInputParam closes the Like parameter in the SQL query and the double dashes “” comment out the rest of the query. Thus that gives the list of all the HouseNames and also all the tables present in the database. They can also get the ids of the sysObjects and use the Ids to retrieve the column names of the database table they want. Suppose there is a table named Users. Obviously, the table would have all the user details. Thus, with the id and the table name, the attacker can retrieve the column names of the Users table using the below query:

SQL
UNION SELECT name FROM syscolumns WHERE id = "USERID";–

Thus, the entire database can be exposed to malicious users in a single click. To prevent this...

Authentication & Authorization

These two are very very very… important in any application and these are two different concepts all together but are used to solve the same thing, i.e., Security. When we develop a secure application, the Login is highly essential. Thus, properly authenticating users to the application & authorizing users to particular section of the application is challenging. Usually, Forms Authentication is implemented across MVC applications. In the web.config file, the following configuration is set:

XML
<authentication mode="Forms" /><forms loginUrl="~/Account/Login" timeout="2880" /></authentication>

Only this will not set the authentication. You need more set up be done. This would involve a lot of configuration. WebSecurity in MVC makes it easy and secure to be implemented. It provides tables and hashing as well. The hashing it provides is one way and very secure. You can learn more about implementing Web Security in MVC from
Web Security In MVC.

Thus after setting this authentication, the important thing is Authorization, which can be provided on controller level, action level, which can be customized in order to check for the access levels along with the sessions. Only Authorize attribute would let the check for the session, we can customize to check for the roles and access levels for the screens as well.

C#
[Authorize]
 public class HomeController : Controller
    {
        public ActionResult Index()
        {
            return View();
        }
    }

In the above snippet, the entire controller has been authorized. That is each method inside the controller will be first authorized.

C#
public class HomeController : Controller
    {
      public ActionResult Index()
        {
            return View();
        }
       [Authorize]
       public ActionResult GetHome(){
         return View()
       }
    }

Here, only the action method GetHome is authorized, not the whole controller.
Thus, Authentication and Authorization are very important factors that ought to be taken into consideration.

More Security Considerations in MVC

Straight from the OWASP security points, it's advisable to hide the MVC versions as well as ASP.NET versions we use, never expose the versions through the headers.

X-AspNet-Version 4.0.30319
X-AspNetMvc-Version 5.0

We need to hide the versions which appear in the Network tab of the developer table.
Let's know how to remove the versions of ASP.NET and ASP.NET MVC from the headers.

  • Required: This attribute forces the user to enter the value for that specific property and then submit the form, else displays “The FirstName is required.”. Mark here, the previous message would be a default error message whereas for the Telephone number, the custom error message would be displayed.
  • Display(Name = ): This attribute sets the label for the model property. We just need to specify
    @Html.LabelFor(m=>m.TeleNo). This would display the specified custom label for the property, here it would display Telephone.
  • RegularExpression: This attribute is very handy especially when we have properties like Email Address, Telephone Numbers and specific expressions for passwords in the forms. We just specify the expression in the attribute and it validates the input from user and states if it is valid or else displays the error message.
    • Encrypt the essential and sensitive data like password, credit card information and other details, so that to some extent if anyhow they get the details, they cannot decrypt it. Use one way hashing to encrypt the record data.
    • Using parameterized queries instead of strings, in order to avoid directly injecting the values from the User input to the query as we saw in the above section. A parameterized query would prevent the malicious input and it would look like below:
      C#
      var commandToBeExecuted = "SELECT HouseID, HouseName FROM House"+
          "WHERE Address  Like @Address";
      SqlCommand cmd = new SqlCommand(commandToBeExecuted , conn);
      cmd.Parameters.Add("@Address",address);

      As we see in the above query, we avoid directly passing the string input, instead we are using parameters into the SQL query, which would prevent such attacks.

    • Use of parameterized Stored Procedures, which also prevent and prove to be a good solution to these malicious attacks of injection. Also, it is advisable to not trust them completely/blindly so it is always better to check for the sensitive data from user inputs and then execute the Stored procedure. This can be done, where the developer can think there are chances of vulnerability.
    • Entity Framework & LINQ, it is interesting to note here is while using LINQ to entity, the query generation does not use the string based approach, rather it uses the object model API, thus being not susceptible to SQL injection attacks.
    • ASP.NET Version: To hide the X version of the ASP.NET, we use the below Web.Config change.
      XML
      <system.web>
          <httpRuntime enableVersionHeader ="false" />

      The above will hide the ASP.NET versions.

    • ASP.NET MVC Versions: To hide the X version of the ASP.NET MVC, we use the below change in the Application_Start method of the Global.asax. The snippet would go like below:
      C#
      protected void Application_Start()
              {
                  MvcHandler.DisableMvcResponseHeader = true;

      This hides the ASP.NET MVC version from the headers in the Network tab.

    • Lastly, there are chances of exposing the Users to the Yellow screen of death, when an exception occurs in the application and is unhandled. Thus, it is advisable to have a custom error page, where users will be landing when exception occurs. Let's see how:
      Custom errors in the Web config needs to be on. There are three modes of the Custom errors. They are:
      1. On
        • Prevents the stack trace that is shown when exceptions arise
        • Also allows to display custom error pages to the end user
        • Custom error pages shown to both Remote Clients as well as Local
      2. Off
        • Makes the end user view the description of the exception along with the entire stack trace
        • ASP.NET error/exception and stack trace shown to both Remote clients and Local as well
      3. Remote only
        • This is the best among all for the developers’ perspective, as this allows the Remote clients to view the custom error messages/pages.
        • Allows the Local users/especially developers to view the ASP.NET errors
        • This is the default value.

      The other attribute which is used to the custom error element is defaultredirect. This is used to redirect the users to a default page when exceptions occur.

      XML
      <customerrors defaultredirect="/Error/index" mode="">
      <error statuscode="400" redirect="NotFound.htm">
      <error statuscode="500" redirect="InternalServerError.htm">

      The exceptions can also be handled globally, application level by using the below snippet:

      C#
      protected void Application_Error(Object sender, EventArgs e)
      {
          Exception ex = Server.GetLastError();  //self explanatory gets the most recent error
          Server.ClearError();  //self explanatory clears the error 
          //(Required to clear as otherwise user gets to see the default ASP.NET error handlers)
          Response.Redirect(""); //default redirect. 
      }

      For details, you can follow: Custom Errors.

Conclusion

Thus, security and validations are very important features to be implemented in any application nowadays. According to Forbes, in a day 30,000 sites were hacked. This is truly an astonishing number. And in today’s world, most of the sensitive information is being stored on cloud. Thus, in any application, the data have a great chance of being exposed and hacked. So, security is a major concern and needs to be handled very carefully.

Hopefully, Some of the major points are discussed above and can be implemented in any application to avoid any sort of breaching.

References

How can I miss the references from which I learnt and got this opportunity to share with the world.

History

  • 6th September, 2015: Initial version

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
India India
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionIncorrectly Tagged as C++ Pin
Stone Free15-Sep-15 4:43
Stone Free15-Sep-15 4:43 
AnswerRe: Incorrectly Tagged as C++ Pin
Passion4Code19-Sep-15 9:18
professionalPassion4Code19-Sep-15 9:18 
QuestionSALT Pin
William Capone8-Sep-15 10:19
William Capone8-Sep-15 10:19 
AnswerRe: SALT Pin
Passion4Code8-Sep-15 17:24
professionalPassion4Code8-Sep-15 17:24 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.