DTI-Matt
DTI-Matt

Reputation: 2145

How to include Variables in Localized Strings?

I'm trying to display a message to the user along the lines of:

"User 5 could not be added"

But how can I add variables to a string that is being placed in a .resx file? I've trying searching for things like "Variables in Localization" "Globalization with Variables" etc, but came up dry.

If I weren't localizing I would write:

Console.Write("User " + userNum + " could not be added");

How can this be accomplished with resources?

Upvotes: 18

Views: 15209

Answers (5)

Basheer AL-MOMANI
Basheer AL-MOMANI

Reputation: 15347

you can do that its simple enter image description here

new lets see how

String.Format(Resource_en.PhoneNumberForEmployeeAlreadyExist,letterForm.EmployeeName[i])

this will gave me dynamic message every time

by the way I'm useing ResXManager

Upvotes: 5

JasonTrue
JasonTrue

Reputation: 19634

In teams where I've done internationalization, we generally also created a resource for the format string, something like USER_COULD_NOT_BE_ADDED_FORMAT, and called String.Format (or your environment's equivalent) by passing that resource's value as the format pattern.

Then you'll do Console.Write(String.Format(resourceManager.GetString("USER_COULD_NOT_BE_ADDED_FORMAT"), userNum));

Most localizers either have training in the format strings used by the system they are localizing, or they are provided with guidance in the localization kit that you provide them. So this is not, for example, as high a barrier as making them modify code directly.

You generally need to add a loc comment to the resource ID to explain the positional parameters.

Upvotes: 13

Christopher Rathermel
Christopher Rathermel

Reputation: 935

I would use string.Format

http://msdn.microsoft.com/en-us/library/system.string.format.aspx

Console.Write(string.Format("User {0} could not be added", userNum));

Upvotes: 5

Austin Salonen
Austin Salonen

Reputation: 50235

Use Composite Formatting like so:

Console.Write("User {0} could not be added", userNum);

This way you would localize "User {0} could not be added".

Upvotes: 8

Oded
Oded

Reputation: 499142

You can't do this directly.

What you can do is place a token - a specific string that can be replaced with string.Replace with the value of the variable.

A good candidate for this would be the built in string formatting:

Console.Write(string.Format("User {0} could not be added", userNum));

Assuming userNum has the value 5, the result would be:

User 5 could not be added

You can localize this string with the composite format specifiers.

Upvotes: 18

Related Questions