I want to convert a numeric value to a string, displaying culture-specific digits. For example, the Dari language used in Afghanistan (culture name "prs-AF") uses Eastern-Arabic numerals instead of the Arabic numerals used in most Western cultures (0,1,2,3,4,5,6,7,8,9
).
When examining the CultureInfo class built into the Framework, it lists the correct native digits (screenshot taken from output in LinqPad):
CultureInfo.CreateSpecificCulture("prs-AF").NumberFormat.NativeDigits
However, when trying to convert a number to a string to display in that culture, I am not getting the native digits:
var number = 123.5;
var culture = CultureInfo.CreateSpecificCulture("prs-AF");
Thread.CurrentThread.CurrentUICulture = culture;
Thread.CurrentThread.CurrentCulture = culture;
var text = number.ToString(culture);
Console.WriteLine(text);
Can anyone tell me h开发者_开发百科ow to display the native digits?
Digit substitution is something that takes place when you display text that contain digits.
It is not supposed to change the string representation of a number, as you've seen.
The number 123.5
is formatted as the string 123.5
no matter digit substitution. It is, however, displayed with the appropriate glyphs if Thread.CurrentThread.CurrentCulture
is set accordingly and if the presentation engine supports digit substitution. (WPF do support it)
I looked at NativeDigits
propety and the underlying field in Reflector and it doesn't seem to be used by anything when it comes to formatting (although Used by
analysis in Reflector is not guaranteed to be 100% full). So it is possible that these values are there just for reference or something like that.
You can use your own IFormatProvider
implementation by using the string output of ToString(culture)
and manually replacing all digits by corresponding values from NativeDigits
array. Although I'm afraid it's not the answer you were looking for..
Maybe what you need is this:
var number = 123.5;
var culture = CultureInfo.CreateSpecificCulture("prs-AF");
var text = String.Format(culture, "{0}", number);
Console.WriteLine(text);
精彩评论