Skip to main content

Generate new token on each request in MVC Ajax post call (Custom Code)

Generate new token on each request in MVC Ajax post call (Custom Code)
Image result for mvc

Step: 1
In controller add below Code to generate new random token and store it in the session
protected string GenerateCSRFToken()
{
 RandomNumberGenerator rng = new RNGCryptoServiceProvider("Add Your Salt String");
 var tokenData = new byte[64];
 rng.GetBytes(tokenData);
 var token = Convert.ToBase64String(tokenData);
 Session["CSRFtoken"] = token.Trim();
 return token;
}

Step: 2
In controller generate new token and pass it to view using ViewData.
public ActionResult Index()
{
 ViewData["CSRFtoken"] = GenerateCSRFToken();
 return View();
}

Step: 3
In View create hidden field and assign ViewData value to it.
<input type="hidden" value="@ViewData["CSRFtoken"]" id="hdnCSRFtoken" />

Step: 4
In View read and pass the hidden field value as method parameter/
<script type="text/javascript">
        ConvertToStringify = function (data) {
            data.name = JSON.stringify(data.name);
            return (data);
        };
        $(document).ready(function () {
            $("#btnAjaxJsonSubmit").click(function (event) {
                var txtvalue = $('#txtName').val();
                var myname = txtvalue;
                var token = $('#hdnCSRFtoken').val();
                $.ajax({
                    url: '@Url.Action("Create", "CSRFAjaxwithJsonStringify")',
                    type: "POST",
                    data: ConvertToStringify({ name: myname, token: token }),
                    dataType: "json",
                    traditional: true,
                    async: true,
                    success: function (response) {
                        $('#hdnCSRFtoken').val(response.CSRFNewToken);
                        alert(response.Message);
                    },
                    error: function (xhr) {
                        debugger;
                        alert(xhr.status);
                    }
                });
            });
        });
    </script>

Step: 5
In Controller validate session token value and parameter value and generate new token on success and pass to View.
public JsonResult Create(string name,string token)
        {
            var sessiontoken = Convert.ToString(Session["CSRFtoken"]);
            if (token == sessiontoken)
            {
                var newtoken = GenerateCSRFToken();
                return Json(new { Success = true, Message = name, CSRFNewToken = newtoken });
            }
            else
            {
                return Json(new { Success = false, Message = "Failed" });
            }
        }

Step: 6
In view update new token in hidden field value on success.
<script type="text/javascript">
        ConvertToStringify = function (data) {
            data.name = JSON.stringify(data.name);
            return (data);
        };
        $(document).ready(function () {
            $("#btnAjaxJsonSubmit").click(function (event) {
                var txtvalue = $('#txtName').val();
                var myname = txtvalue;
                var token = $('#hdnCSRFtoken').val();
                $.ajax({
                    url: '@Url.Action("Create", "CSRFAjaxwithJsonStringify")',
                    type: "POST",
                    data: ConvertToStringify({ name: myname, token: token }),
                    dataType: "json",
                    traditional: true,
                    async: true,
                    success: function (response) {
                        $('#hdnCSRFtoken').val(response.CSRFNewToken);
                        alert(response.Message);
                    },
                    error: function (xhr) {
                        debugger;
                        alert(xhr.status);
                    }
                });
            });
        });
    </script>


Comments

Popular posts from this blog

Product/Application/ Software Security Testing

Product/Application/ Software Security Testing Application Security testing is the process to find security issues or security vulnerability in the application using automated and manual security scanner tools and share the identified issues or risk with development or application team. Process will remain mostly same in all the different types of application security scan. Before initiating security scan, its always good to identify the boundary and scope of your security testing.  Below are the few example of which we can consider as Application or software. ( Scope for Application Security Testing) Web Application, Portal. Web API. Desktop Software / Thick Client. Mobile Application. Web Services.  Plug in, Add-On The goal of application security is to secure the application and prevent the unwanted damaged. The process of performing security scan or audit is know as ASA (Application Security Assessment). Generally there are three types of ASA, SAST, DAST...

Server Error (dots in URL)

Issue description: Asp.net Server error [Unable to redirect to custom error page] when three dots (…) placed after directory name in url, Custom error page will not work if below attribute is set to false. www.yourwebsite.com\somefolder\ ... By default in asp.net  application will be configured relaxedUrlToFileSystemMapping = " false, which means each http request will be validated by ‘Server OS file path validation component’. So when we pass (.) or (..) in URL first it will be validated by this component then the valid request will be passed to IIS. By setting relaxedUrlToFileSystemMapping = " true " it will bypass the ‘Server OS file path validation’, so all the http request will directly reach to IIS. Same scenario has been explained in below figure. Mitigation:                              ...

Password Protected File Validation for(.doc/.docx/.xls/.xlsx/.pdf) file types

Password Protected File Validation for(.doc/.docx/.xls/.xlsx/.pdf) file types protected void btnUpload_Click( object sender, EventArgs e)         {             //Check if File Upload control has file or not             if (FileUpload1.HasFile)             {                 //Get Uploaded file bytes                 var bytes = FileUpload1.FileBytes;                 //Get Uploaded File Extension                 FileInfo objFileInfo = new FileInfo (FileUpload1.FileNam...