Click here to Skip to main content
15,880,469 members
Articles / Web Development / ASP.NET / ASP.NET Core

Developing Multicultural ASP.NET Core 3, 2, 1 Project Using LazZiya.ExpressLocalization

Rate me:
Please Sign up or sign in to vote.
4.80/5 (27 votes)
23 Feb 2020CPOL10 min read 65.6K   1K   32   27
How to create multi-cultural ASP.NET Core web application with simple steps
Localization ASP.NET Core 3.x or 2.x or 1.x web application requires a lot of infrastructure setup and it consumes time and effort. In this article, we will use LazZiya.ExpressLocalization nuget package for localizing our web application with one step.

Background

Most of the web apps use URL based localization, so we can see the selected culture in the URL, e.g., http://www.example.com/en/Contact. By default ASP.NET Core provides the below request culture providers:

  • QueryStringRequestCultureProvider
  • CookieRequestCultureProvider
  • AcceptLanguageHeaderRequestCultureProvider

In order to have route value localization, we will build custom localization provider and define a global route template, so basically, we need to complete the below localization steps to have fully localized web application:

  • Build route value request culture provider

    For request localization according to {culture} route value

  • Define global route template for culture parameter

    Add {culture} parameter to url, e.g., www.example.com/en-US/

  • Setup DataAnnotations localization

    Localization of data annotations like Display names, Required, StringLength, ...etc.
    DataAnnotations are defined in System.ComponentModel.DataAnnotations namespace.
    In addition to localizing the default DataAnnotations, custom attributes also must be localized using the same logic.

    For more details, see DataAnnotations.

  • Setup ModelBinding error messages localization

    Validation of input types at server side after submit, e.g., ValueMustBeANumberAccessor, AttemptedValueIsInvalidAccessor, etc.

    For more details, see DefaultModelBindingMessageProvider.

  • Setup IdentityDescriber error messages

    Localization of all user and role related messages like "User already in role", "User name already exists", ...etc.

    For more details, see IdentityErrorDescriber.

  • Setup OnRedirectTo... Events

    These events are fired automatically when the user is being automatically redirected to Login, Logout or AccessDenied pages. The auto redirection is not handling the culture value so it must be configured manually.

    For more details, see https://github.com/LazZiya/ExpressLocalization/issues/6

  • Setup view localization

    Localize text/html in razor pages.

    For more details, see ViewLocalization.

  • Setup client side validation scripts

    Localizing of client validation messages is essential, forms will be validated before submit. The client side validation scripts must be localized so the user will see localized messages like: The field is required, Passwords must match, etc.

    One more important thing is validating localized decimal numbers, some cultures use period and other cultures use comma in decimal numbers like (1,2) and (1.2), this case should be handled carefully in client side validation.

    What is more: Some cultures may use totally different numbering systems; e.g., Arabic cultures are using numbers like "٠١٢٣٤٥٦٧٨٩" and Latin cultures are using "0123456789". If the numbering system setup is not correct, a validation error will rise. (See this article to learn how to change numbering system for client side validation.)

    For more details, see Client side validation and localization related issue in GitHub.

  • Create localized resource files for each culture

    Views, DataAnnotations, ModelBinding and IdentityErrors all require localized resources. This step consumes a lot of time and effort!

All these steps require a lot of work and consume too much time. So, here comes the benefit of LazZiya.ExpressLocalization nuget package that eliminates the localization setup time and effort with simple lines of code.

Creating the Project

Let's start by creating a basic ASP.NET Core web application (I'm using VS2019):

  1. Create a new project by selecting ASP.NET Core Web Application:

    Image 1

  2. Click Next, give the project a friendly name and click Create:

    Image 2

  3. Select Web Application, set target framework to any of ASP.NET Core versions (3, 2 or 1) and make sure you change the authentication to Individual User Accounts.

    Image 3

  4. Click Create and wait till the solution creates the basic template, once it is done, you can do a test run by selecting the project name in the solution explorer, then pressing (Ctrl + Shift + B) to build the project, then (Ctrl + Shift + W) to run without debugging in the browser.

    Image 4

Installing LazZiya.ExpressLocalization

  1. In the solution explorer under the project name, right click on Dependencies and select "Manage Nuget Packages".

    Image 5

  2. Go to Browse tab and search for "LazZiya", select "LazZiya.ExpressLocalization" and click "Install", select the latest version and install it:

    Image 6

Creating Localized Resources

I've already prepared localized resources for the project, so you don't have to waste your time on creating localized resources.

Under the project root, create a new folder and name it "LocalizationResources":

Image 7

Under LocalizationResources folder, create new public class and name it "ViewLocalizationResource", this class will be used to group resource files for view localization:

C#
namespace ExpressLocalizationSample.LocalizationResources
{
    public class ViewLocalizationResource
    {
    }
}

Under LocalizationResources folder, create new public class and name it "ExpressLocalizationResource", this class will be used to group resource files for identity, model binding and data annotations.

C#
namespace ExpressLocalizationSample.LocalizationResources
{
    public class ExpressLocalizationResource
    {
    }
}

We will use these two classes to pass resource type to the express localization method.

Notice: In this sample, I will use two resource files for localization strings, but you are free to work with one, two or more localization resource files for all your locailzation strings. Switch between the different variants of AddExpressLocalization to see the available possibilities. Read more in GitHub.

Finally, download relevant cultures resources from this repository folder. Please notice that you need to download two files for each culture, e.g., (ExpressLocalizationResource.tr.resx and ViewLocalizationResource.tr.resx). Copy the downloaded files to "LocalizationResources" folder.

Image 8

Using the Code

Finally, we are ready for the localization setup. :)

Open startup.cs file and add the required namespace:

C#
using LazZiya.ExpressLocalization;

then inside ConfigureServices method, define supported cultures and add localization setup as below:

C#
var cultures = new[]
{
    new CultureInfo("tr"),
    new CultureInfo("ar"),
    new CultureInfo("hi"),
    new CultureInfo("en"),
};

services.AddRazorPages()
    .AddExpressLocalization<ExpressLocalizationResource, ViewLocalizationResource>(
    ops =>
    {
        ops.ResourcesPath = "LocalizationResources";
        ops.RequestLocalizationOptions = o =>
        {
            o.SupportedCultures = cultures;
            o.SupportedUICultures = cultures;
            o.DefaultRequestCulture = new RequestCulture("en");
        };
    });

Notice: Depending on the project pattern (MVC or Razor pages) and version, the services implementation may be changed to services.AddMvc() or services.AddControllersWithViews() or services.AddRazorPages().

Then under Configure method, configure the app to use request localization:

C#
app.UseRequestLocalization();

Setup in Different .NET Core Versions and Project Types

Different versions of .NET Core (1, 2, 3) may have different services setup steps, ExpressLocalization works with all versions and pattern variants:

C#
services.AddMvc().AddExpressLocalization(...);

services.AddRazorPages().AddExpressLocalization(...);

services.AddControllersWithViews().AddExpressLocalization(...);

If you have routes defined in startup, you need to add the culture parameter to the route table:

C#
app.UseRequestLocalization();

app.UseEndpoints(endpoints =>
{
    endpoints.MapControllerRoute(
        name: "default",
        pattern: "{culture=en}/{controller=Home}/{action=Index}/{id?}");
});

Or if you are using route attributes on controllers, add the culture route parameter to the route attribute:

C#
["{culture}/Home"]
public HomeController : Controller
{
    ...
}

Adding Language Navigation

This step requires another nuget package LazZiya.TagHelpers that can be installed from nuget as well.

Under Pages folder, open _ViewImports.cshtml file and add LazZiya.TagHelpers that will help in creating language navigation:

C#
@addTagHelper *, LazZiya.TagHelpers

Then open Pages/Shared/_Layout.cshtml file and add the language navigation tag helper under the _LoginPartial tag as below:

HTML
<partial name="_LoginPartial" />
<language-nav></language-nav>

Setup Culture Cookie

ExpressLocalization uses all culture providers by below order:

  1. RouteSegmentCultureProvider
  2. QueryStringRequestCultureProvider
  3. CookieRequestCultureProvider
  4. AcceptedLanguageHeaderRequestCultureProvider
  5. Use default request culture from startup settings

For Cookie value to be set, we need to create a handler in IndexPage or the home page that will set the cookie culture value for the app.

HTML
public class IndexModel : PageModel
{
    // ...

    public IActionResult OnGetSetCultureCookie(string cltr, string returnUrl)
    {
        Response.Cookies.Append(
            CookieRequestCultureProvider.DefaultCookieName,
            CookieRequestCultureProvider.MakeCookieValue(new RequestCulture(cltr)),
            new CookieOptions { Expires = DateTimeOffset.UtcNow.AddYears(1) }
        );

        return LocalRedirect(returnUrl)        
    }
}

Then we can configure our language navigation as below:

HTML
<language-nav cookie-handler-url="@Url.Page("/Index", "SetCultureCookie", 
new { area="", cltr="{0}", returnUrl="{1}" })">
</language-nav>

The place holders "{0}" and "{1}" will be replaced by the language taghelper with reference to each listed culture.

After adding the LanguageNav tag helper, we are ready for the first run:

Image 9

So good, so far we have our navigation with supported cultures, but we still need to localize view texts to see the localized versions.

Visit LanguageTagHelper wiki for more details.

Localizing Views

The localized texts for the default project are already provided in "ViewLocalizationResource.xx.resx" in the downloaded files. If you need to add more custom texts for views, add them to the "ViewLocalizationResource.xx.resx" files.

Option 1

Here, we will use LocalizeTagHelper that ships with LazZiya.ExpressLocalization, it is offering a simple and clear HTML tag for localizing views.

Open Pages/_ViewImports.cshtml file and add localization tag helper:

C#
@addTagHelper *, LazZiya.ExpressLocalization

Using the LocalizeTagHelper is pretty easy, just add "localize-contents" attribute to any html tag, or surround any html content with "<localize>" tag.

Then open Pages/Index.cshtml and use localize tag helper to localize texts/html:

HTML
@page
@model IndexModel
@{
    ViewData["Title"] = "Home page";
    var locArgs = new[] { "https://docs.microsoft.com/aspnet/core" };
}

<div class="text-center">
    <h1 class="display-4" localize-content>Welcome</h1>
    <p localize-args="@locArgs">Learn about
    <a href="{0}">building Web apps with ASP.NET Core</a>.</p>
</div>

Use the same process to localize all texts in other views as well.

See more details in live demo page and LocalizeTagHelper wiki.

Option 2

Open Pages/_ViewImports.cshtml file and inject ISharedCultureLocalizer that already comes with ExpressLocalization:

C#
@using LazZiya.ExpressLocalization
@inject ISharedCultureLocalizer _loc

Then open Pages/Index.cshtml and use localizer function for texts:

HTML
@page
@model IndexModel
@{
    ViewData["Title"] = _loc.GetLocalizedString("Home page");
}

<div class="text-center">
    <h1 class="display-4">@_loc.GetLocalizedString("Welcome")</h1>
    <p>@_loc.GetLocalizedHtmlString("Learn about
         <a href='{0}'> building Web apps with ASP.NET Core</a>",
         new[]{"https://docs.microsoft.com/aspnet/core"}).</p>
</div>

Use the same process to localize all texts in other views as well.

Image 10

Localizing URLs

While the page is in any culture other than the default, if you click on Privacy, Login or Register links, you will notice that we are losing the selected culture, that is because we didn't add the culture route value to the link.

Open Pages/_ViewImports.cshtml and add reference to System.Globalization:

C#
@using System.Globalization

Then open Pages/_LoginPartial.cshtml and add to the top of the page a culture parameter as below:

C#
@{
    var culture = CultureInfo.CurrentCulture.Name;
}

Use this parameter to provide culture route value to all links as below:

HTML
<a class="nav-link text-dark"
   asp-area="Identity"
   asp-page="/Account/Register"
   asp-route-culture="@culture"
   localize-content>Register</a>

Do this to all views in the project.

Localizing Identity Views

Identity related like login, register and profile needs to be overridden in order to be modified.

Right click on the project name, select Add --> New Scaffolded Item...

Image 11

Select Identity and click Add:

Image 12

Select "Override all files" and select "ApplicationDbContext":

Image 13

When you click Add, a new Areas folder will be created including all identity related views:

Image 14

Identity area has three _ViewImports folders:

  • Areas/Identity/Pages/_ViewImports.cshtml
  • Areas/Identity/Pages/Account/_ViewImports.cshtml
  • Areas/Identity/Pages/Account/Manage/_ViewImports.cshtml

Add the below code to all of them as we did for Pages/_ViewImports.cshtml previously:

C#
@using System.Globalization

@addTagHelper *, LazZiya.TagHelpers
@addTagHelper *, LazZiya.ExpressLocalization

Go over the views and use localization steps as we did before for localizing views and add culture route parameter as well. Below is the Register.cshtml page:

HTML
@page
@model RegisterModel
@{
    ViewData["Title"] = "Register";
    var culture = CultureInfo.CurrentCulture.Name;
}

<h1 localize-content>Register</h1>

<div class="row">
    <div class="col-md-4">
        <form asp-route-returnUrl="@Model.ReturnUrl"
        method="post" asp-route-culture="@culture">
            <h4 localize-content>Create a new account.</h4>
            <hr />
            <div asp-validation-summary="All" class="text-danger"></div>
            <div class="form-group">
                <label asp-for="Input.Email"></label>
                <input asp-for="Input.Email" class="form-control" />
                <span asp-validation-for="Input.Email" class="text-danger"></span>
            </div>
            <div class="form-group">
                <label asp-for="Input.Password"></label>
                <input asp-for="Input.Password" class="form-control" />
                <span asp-validation-for="Input.Password"
                class="text-danger"></span>
            </div>
            <div class="form-group">
                <label asp-for="Input.ConfirmPassword"></label>
                <input asp-for="Input.ConfirmPassword" class="form-control" />
                <span asp-validation-for="Input.ConfirmPassword" class="text-danger"></span>
            </div>
            <button type="submit" class="btn btn-primary" localize-content>Register</button>
        </form>
    </div>
</div>

@section Scripts {
    <partial name="_ValidationScriptsPartial" />
}

If you run the page and do some invalid inputs, you will notice that the validation messages are in English, so we will need to localize the data annotations messages, e.g., Required, StringLength, etc.

Image 15

Open Areas/Identity/Pages/Account/Register.cshtml.cs file and add reference to "LazZiya.ExpressLocalization.DataAnnotations" at the top of the page; it offers express attributes that already produce localized error messages:

C#
@using LazZiya.ExpressLocalization.DataAnnotations;

Then modify the Input model to be like below:

C#
public class InputModel
{
    [ExRequired]
    [EmailAddress]
    [Display(Name = "Email")]
    public string Email { get; set; }

    [ExRequired]
    [ExStringLength(100, MinimumLength = 6)]
    [DataType(DataType.Password)]
    [Display(Name = "Password")]
    public string Password { get; set; }

    [DataType(DataType.Password)]
    [Display(Name = "Confirm password")]
    [ExCompare("Password"]
    public string ConfirmPassword { get; set; }
}

Compile and run the project, you will see localized data annotation error messages:

Image 16

Localizing Custom Backend Messages

Any custom messages coming from the backend can be localized using the ISharedCultureLocalizer that comes in LazZiya.ExpressLocalization. To localize any custom backend message, inject the ISharedCultureLocalizer and call the localizing method as below (the process is same in MVC and RazorPages):

HTML
public IndexModel : PageModel
{
    private readonly ISharedCultureLocalizer _loc;

    public IndexModel(ISharedCultureLocalizer loc)
    {
        _loc = loc;
    }

    public void OnGet()
    {
        //...

        var msg = _loc.GetLocalizedString("This is a custom backend message.");

        // ...
    }
}

The localized texts for backend messages must be defined in the same resource file that contain the localized texts of the views.

ISharedCultureLocalizer has other variants that allows you to specify the target culture and target resource file as well. Browse and test the function to see other possibilities.

Client Side Validation

The server side validation is working well, but we still need to add client side validation as well, so the input fields will be validated on client side before submitting the form.

One major issue with client side validation is validating localized inputs like numbers, dates, etc. For example, if you are using a decimal input, you will see validation error for localized numbers like 1.3 is valid in English culture, but is invalid for Turkish because it should be 1,3 (comma instead of period).

Here, we will use another useful tag helper LocalizationValidatonScripts that comes with LazZiya.TagHelpers.

Register the taghelper in startup:

HTML
services.AddTransient<ITagHelperComponent, LocalizationValidationScriptsTagHelperComponent>();

Open Register.cshtml page and add the tag helper under the default validation scripts partial:

HTML
@section Scripts {

    <partial name="_ValidationScriptsPartial" />
    <localization-validation-scripts></localization-validation-scripts>
}

That's all, now the fields with localized input will be validated with reference to the current culture as the decimal input validation with comma or period.

Image 17

Sample Project

You can download a sample project with more than 19 cultures included from GitHub:

References

Read more details about the used nuget packages here:

History

  • 3rd June, 2019
    • Initial version
  • 17th June, 2019
    • Updated version using LazZiya.TagHelpers.Localization
  • 22nd June, 2019
    • Updated sample, hotfix for some issues in localizing ModelBinding and Identity messages (Update LazZiya.ExpressLocalization to v2.0.1)
  • 2nd October, 2019
    • DotNet Core 3.0 support
    • MVC and Razor Pages setup
    • Configuring Authentication cookie redirect paths
    • Added two download samples (.NET Core 3.0 and .NET Core 2.2)
    • Updated nuget packages to latest versions
  • 3rd October, 2019
    • LazZiya.TagHelpers ViewContext update notice
  • 22nd February, 2020
    • Update to latest versions of ExpressLocalization and TagHelpers
    • Cookie handler for culture value
  • 22th February, 2020
    • Download sample updated

License

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


Written By
Turkey Turkey
computer engineer, asp.net developer, 3Ds designer, regional training expert

http://ziyad.info
http://demo.ziyad.info
https://docs.ziyad.info
http://github.com/lazziya

Comments and Discussions

 
QuestionManual RedirectToPage Pin
paul_newman20-Mar-21 13:00
paul_newman20-Mar-21 13:00 
AnswerRe: Manual RedirectToPage Pin
paul_newman20-Mar-21 23:15
paul_newman20-Mar-21 23:15 
AnswerRe: Manual RedirectToPage Pin
Ziya Mollamahmut30-Apr-21 3:45
Ziya Mollamahmut30-Apr-21 3:45 
Hi @paul_newman

Sorry for the late reply, but somehow I didn't receive notification for your comment.

You can add the culture param to the route as below:

If the pages are in the same folder on the same level below code should work fine:
C#
return RedirectToPage("./Index")


If you are redirecting to a page in another area folder would prefer the hard coded version to guarantee that the culture param exists in the route:
C#
return RedirectToPage("/Account/Login", new { area="Identity", culture = CultureInfo.CurrentCulture.Name })


Let me know if you need any further help Smile | :)
AnswerRe: Manual RedirectToPage Pin
Ziya Mollamahmut30-Apr-21 3:51
Ziya Mollamahmut30-Apr-21 3:51 
QuestionCustom Cultures Pin
Member 1487036315-Aug-20 9:45
Member 1487036315-Aug-20 9:45 
AnswerRe: Custom Cultures Pin
Ziya Mollamahmut6-Sep-20 20:30
Ziya Mollamahmut6-Sep-20 20:30 
Questionlazzya for Database Pin
ahmed daoud20203-Aug-20 22:55
ahmed daoud20203-Aug-20 22:55 
AnswerRe: lazzya for Database Pin
Ziya Mollamahmut6-Sep-20 20:02
Ziya Mollamahmut6-Sep-20 20:02 
QuestionOthers languages Pin
Member 139070021-Jun-20 4:08
Member 139070021-Jun-20 4:08 
AnswerRe: Others languages Pin
Ziya Mollamahmut3-Jun-20 20:13
Ziya Mollamahmut3-Jun-20 20:13 
QuestionExcellence Job Pin
Strong Giang21-Feb-20 10:14
Strong Giang21-Feb-20 10:14 
AnswerRe: Excellence Job Pin
Ziya Mollamahmut23-Feb-20 18:53
Ziya Mollamahmut23-Feb-20 18:53 
PraiseExcellent full mark Pin
t.alkahtiri15-Nov-19 22:42
t.alkahtiri15-Nov-19 22:42 
GeneralRe: Excellent full mark Pin
Ziya Mollamahmut20-Nov-19 16:11
Ziya Mollamahmut20-Nov-19 16:11 
QuestionNot working Pin
ecu9713-Jul-19 1:19
ecu9713-Jul-19 1:19 
AnswerRe: Not working Pin
Ziya Mollamahmut5-Jul-19 18:32
Ziya Mollamahmut5-Jul-19 18:32 
AnswerRe: Not working Pin
Ziya Mollamahmut2-Oct-19 18:52
Ziya Mollamahmut2-Oct-19 18:52 
SuggestionAddExpressLocalization Pin
kenllyspy218-Jun-19 9:58
professionalkenllyspy218-Jun-19 9:58 
GeneralRe: AddExpressLocalization Pin
Ziya Mollamahmut18-Jun-19 18:47
Ziya Mollamahmut18-Jun-19 18:47 
PraiseNice work Pin
Lucas Vogel18-Jun-19 6:23
professionalLucas Vogel18-Jun-19 6:23 
GeneralRe: Nice work Pin
Ziya Mollamahmut18-Jun-19 18:45
Ziya Mollamahmut18-Jun-19 18:45 
PraiseI didn't know I needed this till.. Pin
juan_van12-Jun-19 14:57
juan_van12-Jun-19 14:57 
GeneralRe: I didn't know I needed this till.. Pin
Ziya Mollamahmut12-Jun-19 21:13
Ziya Mollamahmut12-Jun-19 21:13 
GeneralMy vote of 5 Pin
Member 102409367-Jun-19 2:06
Member 102409367-Jun-19 2:06 
GeneralRe: My vote of 5 Pin
Ziya Mollamahmut7-Jun-19 5:23
Ziya Mollamahmut7-Jun-19 5:23 

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.