8

我想知道在循环过程中重复实例化 CultureInfo 对象(几千次)是否是一种好习惯。当 CurrentCulture 可能不正确时,许多 Date 和 String 方法都需要此对象来强制使用特定的文化。

var c = new CultureInfo("en-US", false);

重复实例化的性能如何?

4

3 回答 3

15

有人会认为 C# 和/或 JIT 编译器中的优化器具有识别循环不变表达式并在循环外重构的智能。我倾向于自己进行这样的重构,以使代码更清晰。

更好的是,使用这种方法:

CultureInfo ci = CultureInfo.GetCultureInfo("en-US") ;

它为您提供了一个缓存的只读实例,该实例只会被构造一次,然后从缓存中检索。

更好的是,为了您所说的目的:

CultureInfo当 CurrentCulture 可能不正确时,许多 Date 和 String 方法都需要此 [ ] 对象来强制使用特定的文化。

使用CultureInfo.InvariantCulture. 这就是它存在的目的。

第三种选择是创建一个静态CultureInfo属性,其中包含对您的后备文化的单例引用。根据您的目的,您可能希望将其标记为线程本地(static方法CultureInfo是线程安全的;实例方法不是)。这样的属性可能看起来像这样:

public static string FallbackCultureId { get { return Configuration.AppSettings["FallbackConfigurationId"] ; } }

public static CultureInfo FallbackCultureInfo
{
  get { return fallBackCultureInfo ?? (fallBackCultureInfo=new CultureInfo(FallbackCultureId)) ; }            
}
[ThreadStatic] private static CultureInfo fallBackCultureInfo ;
于 2013-09-19T20:22:13.880 回答
1

为什么不直接在循环外声明文化并在循环内使用实例引用呢?

你放的越多,需要的时间就越长

于 2013-09-19T19:06:35.127 回答
0

如果是针对 winforms/wpf 应用程序: 如何:为 Windows 窗体全球化设置文化和 UI 文化

// C#
// Put the using statements at the beginning of the code module
using System.Threading;
using System.Globalization;
// Put the following code before InitializeComponent()
// Sets the culture to French (France)
Thread.CurrentThread.CurrentCulture = new CultureInfo("fr-FR");
// Sets the UI culture to French (France)
Thread.CurrentThread.CurrentUICulture = new CultureInfo("fr-FR");
于 2013-09-19T19:05:03.023 回答