Introduction
In this article, we will learn about how to use inbuilt Windows authentication in Web API and Angular application for authentication and authorization purposes.
Description
We have a requirement for in-house project development in the Angular App using Web API. As the purpose of this application is to use inside office only, so it's suggested to use Windows Authentication mode.
Prerequisite
To access any web API from Angular or any Ajax method Web API must be CORS (Cross Origin Resource Sharing) enabled otherwise the request is not executed.
You can achieve this by referring to the below links.
- https://docs.microsoft.com/en-us/aspnet/web-api/overview/security/enabling-cross-origin-requests-in-web-api
- https://enable-cors.org/server_aspnet.html
- Enable CORS In ASP.NET WebAPI 2
- https://blog.jongallant.com/2013/08/angularjs-webapi-cors/
Step 1
Create Web API Project and in Web.config select Authentication mode as “Windows”,
Web Config Code snippet
- <system.web>
- <authentication mode="Windows" ></authentication>
- </system.web>
Or you can publish web API project in IIS and Enable Windows Authentication from there.
So, based on the above screenshot you can enable Windows authentication for Web API Project.
Step 2
Use Authorize attribute on the controller or on any action method for security.
Code snippet for WebAPI Controller
- [EnableCors(origins: "*", headers: "*", methods: "*", SupportsCredentials = true)]
- public partial class WebAPIController : ApiController
- {
-
-
-
-
-
- [HttpGet]
- [Authorize]
- [Route("api/AuthenticateUser")]
-
- public HttpResponseMessage AuthenticateUser()
- {
- if (User != null)
- {
- return Request.CreateResponse(HttpStatusCode.OK, new
- {
- status = (int)HttpStatusCode.OK,
- isAuthenticated = true,
- isLibraryAdmin = User.IsInRole(@"domain\AdminGroup"),
- username = User.Identity.Name.Substring(User.Identity.Name.LastIndexOf(@"\") + 1)
- });
- }
- else
- {
-
- return Request.CreateResponse(HttpStatusCode.OK, new
- {
- status = (int)HttpStatusCode.BadRequest,
- isAuthenticated = false,
- isLibraryAdmin = false,
- username = ""
- });
-
- }
- }
- }
As per the above screenshot, I have added [Authorize] attribute in AuthenticateUser Action method. This attribute makes sure that action is only executed if the user entered a valid credential otherwise it will display 401 Unauthorized access.
Here, I have added [Authorize] attribute only to action method. This can be put at Controller level as well and if the application has multiple Roles then it can be extended by passing Role name along with Authorize Attribute. You can explore more from WebAPI Authorization
While testing WebAPI from localhost (With Visual Studio by hitting F5 or Ctrl + F5) I am always getting this error {"Message":"Authorization has been denied for this request."}. However, if I publish this same website in IIS then I am getting a valid response as below with no extra work required.
{"status":200,"isAuthenticated":true,"isLibraryAdmin":false,"username":"admin"}
Here, username (admin it can be any user) is logged in user in windows system (or Virtual Machine).
Stack Overflow Question - https://stackoverflow.com/questions/24194941/windows-authentication-not-working-in-iis-express-debugging-with-visual-studio
When we run or debug the application from Visual Studio it is not hosted in IIS, instead it hosts in IISExpress which is part of the Visual Studio and stores the minimum required configuration or default configuration to run any application.
So, based on the provided solution from above Stack overflow question I have enabled windows authentication (<windowsAuthentication enabled="true">) in “applicationhost.config” file which resides at Project root directory “.vs\config”, this folder is hidden you must enable the show all hidden files and folder option.
By Default, Windows authentication value is false in “applicationhost.config”
Now, we have successfully enabled Windows authentication in WebAPI Project.
Step 3
As per the prerequisite enable CORS at controller level along with SupportCredentials true,
As per screenshot, enable CORS with the provided configuration. Here Instead of “*“(Allow from any origin), you can restrict with specific IP Address or domain name.
Step 4
CORS is enabled from the server side. Now while requesting API, pass flag withCredentials: true from the frontend.
For jQuery Ajax you must pass the request as below.
- $.ajax({url:apiURL ,xhrFields: { withCredentials: true }, success:successHandler });
For Angular you must pass the request as below.
- private options = new RequestOptions({ withCredentials: true });
- this.http.get(this.baseUrl, this.options)
Code Snippet
- <!DOCTYPE html>
- <html>
- <head>
- <script src="https://ajax.googleapis.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
- <script>
- $(document).ready(function(){
- $("button").click(function(){
-
-
-
-
-
- var apiURL="http://localhost:51647/api/AuthenticateUser";
-
- $.ajax({url:apiURL ,xhrFields: {
- withCredentials: true
- }, success: function(result){
- console.log(JSON.stringify(result));
- document.write(JSON.stringify(result));
- $("#div1").html(JSON.stringify(result));
- }});
- });
- });
- </script>
- </head>
- <body>
-
- <div id="div1"><h2>Let jQuery AJAX to Access Web API Response with Windows Authentication</h2></div>
-
- <button> Click Me to Get Web API Response</button>
-
- </body>
- </html>
Now, we have successfully consumed Windows Enabled Authenticated WebAPI .
In case of accessing WebAPI, the dialog for login and password prompts infinitely for the correct password. Then you need to disable the loopback check by executing PowerShell command
New-ItemProperty HKLM:\System\CurrentControlSet\Control\Lsa -Name "DisableLoopbackCheck" -value "1" -PropertyType dword
Reference link
- http://www.jeremytaylor.net/2010/05/24/sharepoint-disable-loopback-check-disableloopbackcheck-dword-in-registry/
- https://support.microsoft.com/en-in/help/896861/you-receive-error-401-1-when-you-browse-a-web-site-that-uses-integrate
- https://stackoverflow.com/questions/24194941/windows-authentication-not-working-in-iis-express-debugging-with-visual-studio
Conclusion
In this article, we learned about how to enable Windows Authentication in Web API and Consume Secure web API from jQuery Ajax and Angular App.