Header Ads

ASP.NET MVC5: REST Web API Authorization

When a REST Web API is created to share data across multiple devices e.g. mobile devices, desktop applications or any website, then the authorization of REST Web API becomes a vital aspect in order to protect data sensitivity from any outside breaches.

Today, I shall demonstrate a simple mechanism to authorize a REST Web API without the complex authorization process of OWIN security layer but at the same time benefiting from [Authorize] attribute.


Following are few prerequisites before you proceed any further:  

1) Knowledge of ASP.NET MVC5.  
2) Knowledge of C# programming.  
3) Knowledge of REST Web API.

You can download complete source code or you can follow step by step discussion below. The sample code is developed in Microsoft Visual Studio 2013 Ultimate.

Download Now!

Let's begin now:  

1) Create new Web API project and name it "WebApiAuthorization".  
2) Rename "ValueController.cs" file to "WebApiController.cs".
3) Now, in "WebApiController.cs" file replace following code:

using System;  
 using System.Collections.Generic;  
 using System.Linq;  
 using System.Net;  
 using System.Net.Http;  
 using System.Web.Http;  
 namespace WebApiAuthorization.Controllers  
 {  
   [Authorize]  
   public class WebApiController : ApiController  
   {  
     // GET api/values  
     public IEnumerable<string> Get()  
     {  
       return new string[] { "Hello REST API", "I am Authorized" };  
     }  
     // GET api/values/5  
     public string Get(int id)  
     {  
       return "Hello Authorized API with ID = " + id;  
     }  
     // POST api/values  
     public void Post([FromBody]string value)  
     {  
     }  
     // PUT api/values/5  
     public void Put(int id, [FromBody]string value)  
     {  
     }  
     // DELETE api/values/5  
     public void Delete(int id)  
     {  
     }  
   }  
 }  

In above code, I simply replace some of existing string values, nothing special is done here.  

4) Now, for the authorization part, I am using HTTP Message Handlers technique. In simple essence, this technique capture HTTP request and respond accordingly. In order to use this technique, we need to inherit "DelegatingHandler" class and then hook its method SendAsync(...) that will process every hit to our REST Web API and verify our allocated authorization or API header key accordingly and then finally set our Principal after successful authorization. Principal will simply set our security context by containing information about the user whom we have claim as authorize user by using Identity Based Authorization, this will allow us to utilize [Authorize] attribute for our web api controller. So, create new folder under project root and name it "Resources->Constants". I like my code architecture clean, so, I am using constants in a resource file.  

5) Now, create a file "Resource->Constants-> ApiInfo.resx" open the file and place following constants in it i.e.


Make sure that Access Modifier is set to Public. This file will contain authorization constants that I will be using to authenticate my REST Web API.

6) Now, create new folder hierarchy under project root i.e. "Helper_Code->Common".
7) Create our authorization file and name it "Helper_Code->Common->AuthorizationHeaderHandler.cs".  
8) Open the file "Helper_Code->Common->AuthorizationHeaderHandler.cs" and replace it with the following piece of code i.e.

//-----------------------------------------------------------------------  
 // <copyright file="AuthorizationHeaderHandler.cs" company="None">  
 //   Copyright (c) Allow to distribute this code.  
 // </copyright>  
 // <author>Asma Khalid</author>  
 //-----------------------------------------------------------------------  
 namespace WebApiAuthorization.Helper_Code.Common  
 {  
   using System;  
   using System.Collections.Generic;  
   using System.Linq;  
   using System.Net.Http;  
   using System.Net.Http.Headers;  
   using System.Security.Claims;  
   using System.Security.Principal;  
   using System.Text;  
   using System.Threading;  
   using System.Threading.Tasks;  
   using System.Web;  
   using WebApiAuthorization.Resources.Constants;  
   /// <summary>  
   /// Authorization for web API class.  
   /// </summary>  
   public class AuthorizationHeaderHandler : DelegatingHandler  
   {  
     #region Send method.  
     /// <summary>  
     /// Send method.  
     /// </summary>  
     /// <param name="request">Request parameter</param>  
     /// <param name="cancellationToken">Cancellation token parameter</param>  
     /// <returns>Return HTTP response.</returns>  
     protected override Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken cancellationToken)  
     {  
       // Initialization.  
       IEnumerable<string> apiKeyHeaderValues = null;  
       AuthenticationHeaderValue authorization = request.Headers.Authorization;  
       string userName = null;  
       string password = null;  
       // Verification.  
       if (request.Headers.TryGetValues(ApiInfo.API_KEY_HEADER, out apiKeyHeaderValues) &&  
         !string.IsNullOrEmpty(authorization.Parameter))  
       {  
         var apiKeyHeaderValue = apiKeyHeaderValues.First();  
         // Get the auth token  
         string authToken = authorization.Parameter;  
         // Decode the token from BASE64  
         string decodedToken = Encoding.UTF8.GetString(Convert.FromBase64String(authToken));  
         // Extract username and password from decoded token  
         userName = decodedToken.Substring(0, decodedToken.IndexOf(":"));  
         password = decodedToken.Substring(decodedToken.IndexOf(":") + 1);  
         // Verification.  
         if (apiKeyHeaderValue.Equals(ApiInfo.API_KEY_VALUE) &&  
           userName.Equals(ApiInfo.USERNAME_VALUE) &&  
           password.Equals(ApiInfo.PASSWORD_VALUE))  
         {  
           // Setting  
           var identity = new GenericIdentity(userName);  
           SetPrincipal(new GenericPrincipal(identity, null));  
         }  
       }  
       // Info.  
       return base.SendAsync(request, cancellationToken);  
     }  
     #endregion  
     #region Set principal method.  
     /// <summary>  
     /// Set principal method.  
     /// </summary>  
     /// <param name="principal">Principal parameter</param>  
     private static void SetPrincipal(IPrincipal principal)  
     {  
       // setting.  
       Thread.CurrentPrincipal = principal;  
       // Verification.  
       if (HttpContext.Current != null)  
       {  
         // Setting.  
         HttpContext.Current.User = principal;  
       }  
     }  
     #endregion  
   }  
 } 

In above code, "Helper_Code->Common->AuthorizationHeaderHandler.cs" class inherits "DelegatingHandler" class. We have hooked the "SendAsync(...)" method and created a new method "SetPrincipal(...)" to set our authorization principal. Now, let's discuss above code chunk by chunk .i.e. In Method "SetPrincipal(...)" the following code i.e.

     // setting.  
       Thread.CurrentPrincipal = principal;  
       // Verification.  
       if (HttpContext.Current != null)  
       {  
         // Setting.  
         HttpContext.Current.User = principal;  
       }  

The above code will set our authorization principal with Identity Based Authorization model. Let's, dissect "SendAsync(...)" method step by step i.e.

      // Verification.  
       if (request.Headers.TryGetValues(ApiInfo.API_KEY_HEADER, out apiKeyHeaderValues) &&  
         !string.IsNullOrEmpty(authorization.Parameter))  
       {  
 ...  
 }  

The above line of code will verify that whether our authorize header key and credentials are empty or not. I have used combination of both header key and credentials to authorize my REST Web API. If the authorization is successful then following code will extract our authorization information form the HTTP request and store them into local variables i.e.

       var apiKeyHeaderValue = apiKeyHeaderValues.First();  
         // Get the auth token  
         string authToken = authorization.Parameter;  
         // Decode the token from BASE64  
         string decodedToken = Encoding.UTF8.GetString(Convert.FromBase64String(authToken));  
         // Extract username and password from decoded token  
         userName = decodedToken.Substring(0, decodedToken.IndexOf(":"));  
         password = decodedToken.Substring(decodedToken.IndexOf(":") + 1);  

After above code we will verify that whether the provided authorization for REST Web API hit is valid or not with the following code i.e.

       // Verification.  
         if (apiKeyHeaderValue.Equals(ApiInfo.API_KEY_VALUE) &&  
           userName.Equals(ApiInfo.USERNAME_VALUE) &&  
           password.Equals(ApiInfo.PASSWORD_VALUE))  
         {  
             ...  
         }  

If the hit to our REST Web API contains valid authorization credentials and header key then we register our principal with Identity Based Authorization model i.e.

          // Setting  
           var identity = new GenericIdentity(userName);  
           SetPrincipal(new GenericPrincipal(identity, null));  
   
9) Now, Open "Global.asax.cs" file and replace following code in it i.e.

using System;  
 using System.Collections.Generic;  
 using System.Linq;  
 using System.Web;  
 using System.Web.Http;  
 using System.Web.Mvc;  
 using System.Web.Optimization;  
 using System.Web.Routing;  
 using WebApiAuthorization.Helper_Code.Common;  
 namespace WebApiAuthorization  
 {  
   public class WebApiApplication : System.Web.HttpApplication  
   {  
     protected void Application_Start()  
     {  
       AreaRegistration.RegisterAllAreas();  
       GlobalConfiguration.Configure(WebApiConfig.Register);  
       FilterConfig.RegisterGlobalFilters(GlobalFilters.Filters);  
       RouteConfig.RegisterRoutes(RouteTable.Routes);  
       BundleConfig.RegisterBundles(BundleTable.Bundles);  
       // API authorization registration.  
       GlobalConfiguration.Configuration.MessageHandlers.Add(new AuthorizationHeaderHandler());  
     }  
   }  
 }  

In above code we have registered our authorization class within global configuration.  

10) Now, execute the project and use following link in the browser to see your newly created REST Web API method in action as follow:

 yourlink:port/api/WebApi 


In the above snippet, you will notice that since, now our REST Web API has been authorized, therefore, we cannot directly execute the REST Web API URL in the browser.  

11) Lets, test out REST Web API in REST Web API client. I am using fire fox plugin i.e. "RESTED". At, first, I simply try to hit the REST Web API without any authorization details and I will get following response i.e.


 

12) Now, I will provide the authorization and hit the REST Web API and will get following response i.e.


 

 

That's about it.

Enjoy!! coding.

396 comments:

  1. i find more new information,i like that kind of information,not only i like that post all peoples like that post,because of all given information was very excellent.

    Digital Marketing Company in Chennai

    ReplyDelete
  2. Thank you for the appreciation.

    ReplyDelete
  3. keep sharing your information regularly for my future reference. This content creates a new hope and inspiration with in me.

    Digital Marketing Company in Chennai

    ReplyDelete
  4. I will surely. Thank you once again.

    ReplyDelete
  5. I get requested to do site appraises a considerable measure and once in a while it's out and out shocking to catch wind of the battles and difficulties business visionaries and entrepreneurs confront when attempting to locate the correct web engineer. Edknt Media

    ReplyDelete
  6. I am using VS2015 and I am unable to create ApiInfo.resx, can you plz help me.

    ReplyDelete
    Replies
    1. Right click target project in solution explorer -> click add new item -> type .resx in search box and select resource file name it then click -> resource file will be created.

      Delete
  7. Our credit repair services work to fix past credit mistakes and verify credit report accuracy. Talk to a credit repair expert today!  visit website

    ReplyDelete
  8. Good post but I was wondering if you could write a litte more on this subject? I’d be very thankful if you could elaborate a little bit further. Appreciate it..! vpn for expats

    ReplyDelete
    Replies
    1. Thank you for reaching out. Do let me know which part need more elaboration. So, I can update accordingly.

      Delete
  9. Regular visits listed here are the easiest method to appreciate your energy, which is why why I am going to the website everyday, searching for new, interesting info. Many, thank you https://www.lemigliorivpn.com

    ReplyDelete
  10. Such a very useful article. Very interesting to read this article.I would like to thank you for the efforts you had made for writing this awesome article. vpnveteran

    ReplyDelete
  11. Hello Asma,
    Nice work on the article. Really concise and highly informative.
    I would like to ask on how to go about this in a .Net Core 2.1 Project. I'll appreciate if you can direct me to another post, resources or an explanation.

    Thanks a lot

    ReplyDelete
    Replies
    1. You need to use core NBC for above tutorial to work

      Delete
  12. Regular visits listed here are the easiest method to appreciate your energy, which is why why I am going to the website everyday, searching for new, interesting info. Many, thank you get moreprivacy

    ReplyDelete
  13. Great post full of useful tips! My site is fairly new and I am also having a hard time getting my readers to leave comments. Analytics shows they are coming to the site but I have a feeling “nobody wants to be first”. https://allertaprivacy.it

    ReplyDelete
  14. One of the most neglected things when searching for a website creator is whether any web crawler optomisation (SEO) is incorporated, web developer nuneaton

    ReplyDelete
  15. Nice post! This is a very nice blog that I will definitively come back to more times this year! Thanks for informative post. freelance web designer peter

    ReplyDelete
  16. Thanks for taking the time to discuss this, I feel strongly about it and love learning more on this topic. freelance web designer

    ReplyDelete
  17. There are an enormous number of organizations that embrace a quick and dishonest way to deal with SEO known as Dark Cap SEO. Webdesign

    ReplyDelete
  18. Then again, you can make due with the following best thing - Premium WordPress themes.premium wordpress blog themes

    ReplyDelete
  19. Great post about the ASP.NET MVC5. I am also a ASP.NET developer and develop .net application for my client.

    ReplyDelete
  20. hi was just seeing if you minded a comment. i like your website and the thme you picked is super. I will be back. brand identity design

    ReplyDelete
  21. This comment has been removed by a blog administrator.

    ReplyDelete
  22. Well managed article for .net and about wen API authorization.

    Social bookmarking sites list

    ReplyDelete
  23. Your blog is very nice and we hope you are providing more information in future times.
    If any of you problem in your business you can contact to us.
    Legal Advisor

    ReplyDelete
  24. You have a great blog. this post in particular is very helpful! I know of a roofing company if you are interested in roofers seattle. Please get in touch! Thanks, have a good day.

    ReplyDelete
  25. This comment has been removed by the author.

    ReplyDelete
  26. Very nice, this is very good. i will share it to social media platform

    "A platform designed to provide Growers and Processors the opportunity to display and sell products to OMMA
    certified dispensaries and processors,
    Affordable pricing ensuring success for your business
    This site is FREE to all dispensaries to ensure maximum listings sales while giving them a better selection of products
    Oklahoma wholesale cannabis market place

    ReplyDelete
  27. I have read so many articles regarding the blogger lovers but this piece of writing is really a fastidious article, keep it up.

    ReplyDelete
  28. I have read so many articles regarding the blogger lovers but this piece of writing is really a fastidious article, keep it up.
    Cash for cars logan

    ReplyDelete
  29. Thanks, guys for sharing your valuable info. I really appreciate your efforts and I am definitely waiting for your next post thank you once again, Regards

    ReplyDelete
  30. I have read your article, it is very informative and helpful for me.I admire the valuable information you offer in your articles. Thanks for posting it.
    Regards: Regards: cash for cars caboolture

    ReplyDelete

  31. Very nice, this is very good. i will share it to social media platform


    Whiten Your Teeth Faster
    With the Pearly Smile Teeth Whitening Kit you'll get whiter and brighter teeth, fast!
    best teeth whitening kit 2020

    ReplyDelete
  32. Really Interesting Blog. Thanks to share this useful content with us. I really like this post, and i learn lots of information through this blog.
    Thank you.
    If you want to learn How to Enable Java Plugin in Browser for Pogo Games so click and visit.

    ReplyDelete
  33. This comment has been removed by a blog administrator.

    ReplyDelete
    Replies
    1. Thank you so much for the information that you have shared here with all of us. You have made it easier for us...

      Delete
  34. This comment has been removed by a blog administrator.

    ReplyDelete
  35. This comment has been removed by a blog administrator.

    ReplyDelete
  36. This comment has been removed by a blog administrator.

    ReplyDelete
  37. A plus article. Thanks for sharing this information.

    Chris
    Owner CEL Financial Services
    IRS Registered Tax Preparer
    Registered bonded California CTEC Tax Preparer
    https://incometaxprepfillmore.com

    ReplyDelete
  38. Thanks for your articles.Thanks for sharing useful resources with us. Visit now for Latest news bhairabnews.com

    ReplyDelete
  39. I am so amazed to get knowledge about asp.net here. I really located you by mistake, while I was searching about technical blogs related to Advanced Matching Facebook Pixel, Anyways I am here now and thanks for sharing such information.Please do keep up the great work.

    ReplyDelete
  40. Awesome job you have done through this article and all information is so amazing so thanks for sharing with us Visit lyricsforus

    ReplyDelete
  41. Nice post! This is a very nice blog that I will definitively come back to more times this year! Thanks for informative. outdoor media production house in pakistan

    ReplyDelete
  42. This is a wonderful beauty, Given so much info in it, These type of articles keeps the users interest in the website, and keep on sharing more ... good luck. subtle signs he's not into you. beauty

    ReplyDelete
  43. Amazing. I have read so many articles in recent days regarding the blog & blogger lovers but this piece of writing is just wow.

    ReplyDelete
  44. Nice post i get inspired from this article and this is very interesting. oracle training in chennai

    ReplyDelete
  45. This can be a very informative and helpful post, very genuine and practical advice.

    professional web design services

    ReplyDelete
  46. This is best, Explained step by step and in a concise way.
    Thank you Goldcoders hyip templates

    ReplyDelete
  47. Thanks for posting this info. I just want to let you know that I just check out your site and I find it very interesting and informative. I can't wait to read lots of your posts.
    business directory

    ReplyDelete
  48. geat reading, i do a lot off Googlekomposit garden fencing panels

    ReplyDelete
  49. This post very good I just want to let you know that I just check out your site and I find it very interesting and informative.Amazan research

    ReplyDelete
  50. Thanks for sharing such huge content keep posting further
    concerts in lahore

    ReplyDelete
  51. Thanks for the blog loaded with so many information. Stopping by your blog helped me to get what I was looking for. 铭识协议

    ReplyDelete

  52. Awesome information i found here. I really admire to see your quality article. I will look forward to read your informative articles.


    Online Market Trading

    ReplyDelete
  53. This comment has been removed by the author.

    ReplyDelete
  54. Thankyou for this useful information.
    Visit Website - https://myblog-search.uk.com/norton-setup/

    ReplyDelete
  55. Wow This Article Help me alot and changed my life thank you so much admin for sharing your knowledge with us good job keep it up and please visit my Website

    ReplyDelete
  56. hey thanks for sharing this informative blog it is very helpful
    keep up the good work
    Anagha Engineers

    ReplyDelete
  57. Great article. The blog is covered by amazing content, thanks for sharing with us and keep updating! The Blog article is really excellent and unique. I will visit this blog again for this useful idea!
    WordPress Design Agency

    ReplyDelete

  58. Your Post is very useful, I am truly happy to post my note on this blog . It helped me with ocean of awareness i really appreciate it.
    Asking.pk

    ReplyDelete

  59. Thanks for the nice blog. It was very useful for me.
    Custom Boxes Manufacturer

    ReplyDelete
  60. This is a best blog and full informative that helps us to design a bet packaging for our business
    Get Custom Boxes with

    ReplyDelete
  61. This is genuinely an awesome read for me. I have bookmarked it and I am anticipating perusing new articles. Keep doing awesome!
    Anagha Engineers

    ReplyDelete
  62. All I can say is great work. The effort you put into this is very impressive and I enjoyed every minute of the read. I hope to come back and see more articles you’ve written.
    Anagha Engineers

    ReplyDelete
  63. Great Technology News in Tamil from asmak9 blogger. Really it help me and saved a time

    ReplyDelete
  64. I like the article very much.And the article is quite informative.Thanks for a marvelous posting!
    Anagha Engineers

    ReplyDelete
  65. Hello there, I like your content, and really appreciate your efforts you put in the content. Keep publishing.
    CA Services Online

    ReplyDelete
  66. Thank you so much for sharing such valuable and intersting information
    Anagha Engineers

    ReplyDelete

  67. Thanks for sharing a Great post indeed. I am pleased by reading such a post like this
    Anagha Engineers

    ReplyDelete
  68. thanks for this post and information. nice

    ReplyDelete
  69. Great Sharing thanks for sharing this valueable information…
    Anagha Engineers

    ReplyDelete
  70. Awesome post thank you sharing for knowledge.
    Anagha Engineers

    ReplyDelete
  71. Thanks for sharing the wonderful article, Helps a lot. Today I learn new things and try them in the future.
    Anagha Engineers

    ReplyDelete

  72. I absolutely love your content and want more! Sure your next post will be as great as this.
    Anagha Engineers

    ReplyDelete
  73. I really like your very well written post. it will be beneficial to everybody Keep it up..
    Anagha Engineers

    ReplyDelete
  74. I like the valuable info you provide in your articles. I will bookmark your blog and check again here frequently. Very useful info
    Anagha Engineers

    ReplyDelete
  75. Hmm!! This blog is really cool, I’m so lucky that I have reached here and got this awesome information.
    Anagha Engineers

    ReplyDelete
  76. On this website, I found a lot of good articles. thanks for all of those
    Anagha Engineers

    ReplyDelete
  77. Wonderful blog & good post.Its really helpful for me, waiting for a more new post. Keep Blogging!............................
    Anagha Engineers

    ReplyDelete
  78. this article very help full for me thank to admin from jassi website development company in Punjab

    ReplyDelete
  79. This comment has been removed by the author.

    ReplyDelete
  80. Thanks for sharing the information.

    ReplyDelete
  81. Supex 100 PU FOAM Spray Sealant is a one-component, multipurpose polyurethane foam. Works excellent as door gap filler. This sealant is curable by air humidity and has high adhesion strength.
    Anagha Engineers

    ReplyDelete
  82. Hmm!! This blog is truely cool, I’m so fortunate that I have reached here and got this tremendous records.https://casino112.com === 우리카지노

    ReplyDelete
  83. Thank you for sharing such a valueable information

    ReplyDelete
  84. This Site is one of the best sites because it provides unique information for users and it looks also awesome, a very smart work admin, keep it up and more publish information for users. I visit this site regularly based. Vivo Pattern Unlock Tool

    ReplyDelete
    Replies
    1. Nice article

      http://www.ethniconline.in/product-category/latest-bridal-lehenga-designs/

      Delete
  85. This comment has been removed by the author.

    ReplyDelete
  86. It is an informative post if you are looking for similar infomative posts like best fishing apps you can visit our websitebest fishing apps

    ReplyDelete
  87. Such a informative blog. Thanks for sharing Information. You can also check some informative information at Times30

    ReplyDelete
  88. This is an awesome post you have shared here. I just love the post. Thank you for sharing this post. Keep sharing new posts with us.
    Also, click here and find Top Mobile App Development Companies in USA

    ReplyDelete
  89. thanks for share this blog . i hope u can share more this blog .
    mobile accessories online pakistan

    ReplyDelete
  90. This comment has been removed by the author.

    ReplyDelete

  91. Thanks for taking the time to discuss this, I feel strongly about it and love learning more on this topc

    ReplyDelete
  92. Wonder ful sir! nice content, keep it up!
    digital marketing agency in noida.
    confirm it now!

    ReplyDelete
  93. Thanks For Sharing The Amazing content. I Will also share with my friends. Great Content thanks a lot.

    Please visit my website: https://www.theglobaltimes.live/

    ReplyDelete
  94. This comment has been removed by the author.

    ReplyDelete
  95. Awesome job you have done through this article and all information is so amazing so thanks for sharing with us.
    pls visit: https://fameseller.com

    ReplyDelete
  96. Great post, we will follow every idea to keep improving the numbers of our web!
    Best Online IT learning Courses in Aldie, USA 2021 | Mit Tech Consulting

    ReplyDelete
  97. Here, that was nice blog. i got clear my point through this blog... But they are just providing some internet services. But. You can get more 20+ services through Wireless Internet Providers on your door in very quick time...

    ReplyDelete
  98. I love programming stuff , you have given a very informative content. it clears many concepts for all of us. i love those people who help in others in need but for Road help please visit
    manhattan towing

    ReplyDelete
  99. Awesome job you have done through this article and all information is so amazing so thanks.
    Minky Fabric

    ReplyDelete
  100. This comment has been removed by the author.

    ReplyDelete
  101. Thanks for your motivation. I am really scared
    best power banks in pakistan

    ReplyDelete
  102. Great post - thanks for sharing. I rather enjoy non-iframe content. seems to make everything work a little bit better! Custom Packaging Boxes USA

    ReplyDelete
  103. Thanks you for sharing very informative post . it's help a lot

    professional web design services

    ReplyDelete
  104. Thanks you for sharing very informative post . it's help a lot Audio Visual Lab

    ReplyDelete
  105. Indeed a great blog. Thanks for sharing it. Looking forward to your more posts in future.
    Thankyou!
    Baba Wreckers

    ReplyDelete

  106. Keep it writing such kind of info on your site.
    I'm really impressed by your site.
    http://mywifiexthelps.com/

    ReplyDelete
  107. It was very informative Article but let me introduce an organization named Lifecare Solutions is aNDIS registered service provider. we pride ourselves on catering for the needs of all individuals, helping them to become independent. All services are according to the needs of our clients.

    ReplyDelete
  108. awesome post full of information really interesting thanks for sharing
    I like Your Blog Thanks For Sharing with Us.keep it up!
    learn quran for kids
    online quran classes
    best way to learn quran

    ReplyDelete
  109. Thank You for sharing such informative post. It helped a lot.
    Tow Truck Services

    ReplyDelete
  110. Thabks for sharing this information with us great job keep it up. WithRandomapk work.

    ReplyDelete
  111. This is a very informative article, Keep writing such information on your site.
    Your site really impressed me.
    Thanks for you kind nature, Hsslive This site really looks cool and the blog commenting tips..
    Queen Of Science

    ReplyDelete
  112. This comment has been removed by the author.

    ReplyDelete
  113. Usually I never comment on blogs but your article is so convincing that I never stop myself to say something about it. You’re doing a great job Man, Keep it up and really its very useful.
    For Instant personal loan install Finheal Capital Mobile App.
    Download Now :  bit.ly/fin_capital
    Visit Our Site : www.finhealcapital.in

    ReplyDelete
  114. this blog is greatful and helpful for my business site.
    maca root in pakistan

    ReplyDelete
  115. Great read I must say. You have beautifully portrayed your thoughts and ideas through this article. Great insight on the topic and value addition. Keep posting more articles like this!
    kashimart

    ReplyDelete
  116. This comment has been removed by the author.

    ReplyDelete
  117. I would like to thank you for the efforts you had made for writing this awesome article.Wimpernverlängerung Schulung

    ReplyDelete
  118. thanks for share this blog . this blog is geeting information about for my business site
    Addiction Center in Lahore

    ReplyDelete
  119. This comment has been removed by the author.

    ReplyDelete
  120. Thanks Asma for this amazing knowledge.

    ReplyDelete
  121. Hi, Thanks for sharing the valuable information on ASP.Net MVC. Currently I am working on a project by using ASP.Net language. I hope this guide will help me in making my project.
    check it out how my project looks like and give your valuable suggestion.

    ReplyDelete
  122. keep sharing these useful info with us, thanks

    ReplyDelete
  123. was fantastic! You did a great job of hitting on all the things that matter for a full size sedan and the trunk test was particularly amusing. Keep up the great work! Only now there’s a lot of tech being put to use, and much greater attention to detail. Visit our site
    bmw m4

    ReplyDelete
  124. Hello Asma,
    Take my love for tips. I am a Trader.
    Nice work on the article. Really concise and highly informative.

    Eli Eletese

    ReplyDelete
  125. Thanks for sharing the content, Very well Written and detailed. You can also check my content.Playstation 5

    ReplyDelete
  126. Your site is unprecedented , I have been searching for this data all wrapped up. On the off chance that you are likewise confronting a near issue. By then experience the blog.
    Thanks
    Regards
    Methu Robin
    Also, read a blog by Robin
    AI & ML Development Solutions

    ReplyDelete
  127. wow your article is very amazing thanks for sharing
    Home.Deocr.Wholesale

    ReplyDelete
  128. Great post!, I am sure you will find this useful

    melbet promo code

    ReplyDelete
  129. This comment has been removed by a blog administrator.

    ReplyDelete
  130. This is great post i get to implement this in our work.

    ReplyDelete
  131. This is great post i get to implement this in our work.

    ReplyDelete
  132. keep sharing these info with us

    ReplyDelete
  133. This is really a great post, Tanks for sharing.
    shibabrata bhaumik

    ReplyDelete
  134. Thanks For sharing this information. I am also looking for best Digital Marketing Agency.

    ReplyDelete
  135. Thanks for sharing this information which is makes easier to find best Digital Marketing service providers.

    ReplyDelete
  136. I would like to thank you for the efforts you had made for writing this awesome article.Banque

    ReplyDelete
  137. Thank you so much bro for your help

    ReplyDelete
  138. Nice very good.. keep it up I am surprised how many attempts you set to make such an excellent informative website.
    Best young adult novels UAE

    ReplyDelete
  139. This comment has been removed by the author.

    ReplyDelete
  140. Well done! very good post.. i bookmark your website for future so keep posting guys.
    Best Web Development Courses in Karachi

    ReplyDelete
  141. Well done! very good post.. i bookmark your website for future so keep posting guys.
    Best Web Development Courses in Karachi

    ReplyDelete
  142. Very good quality. I am surprised how many attempts you set to make such an excellent informative websit
    Social Media Marketing Agency Pakistan

    ReplyDelete

  143. Well done! very good post.. i bookmark your website for future so keep posting guys.
    Logo design services in Pakistan

    ReplyDelete
  144. Very good quality. I am surprised how many attempts you set to make such an excellent informative websit
    Maid services in Australia

    ReplyDelete

  145. Thank you for sharing a good article with us. We are really benefited from this Techarticle.

    ReplyDelete
  146. Very good quality. I am surprised how many attempts you set to make such an excellent informative website.
    Buy story books for adults

    ReplyDelete
  147. This is really a great piece of content, thanks for sharing with us.
    I love this post.
    Studytonight

    ReplyDelete
  148. Great post! Thanks for sharing a piece of informative information. It would be helpful for newbies, keep posting. I appreciate your efforts. visit my blog

    ReplyDelete