我正在寻找一种方法来本地化PropertyGrid中显示的属性名称。可以使用DisplayNameAttribute属性“覆盖”属性的名称。不幸的是,属性不能有非常量表达式。所以我不能使用强类型资源,例如:
class Foo
{
[DisplayAttribute(Resources.MyPropertyNameLocalized)] // do not compile
string MyProperty {get; set;}
}
我环顾四周,发现了一些从DisplayNameAttribute继承的建议,以便能够使用资源。我最终得到的代码如下:
class Foo
{
[MyLocalizedDisplayAttribute("MyPropertyNameLocalized")] // not strongly typed
string MyProperty {get; set;}
}
然而,我失去了强大的类型资源优势,这绝对不是一件好事。然后我遇到了DisplayNameResourceAttribute这可能是我正在寻找的。但它应该在Microsoft.VisualStudio.Modeling.Design命名空间中,我找不到我应该为此命名空间添加的引用。
有人知道是否有更好的方法以良好的方式实现DisplayName本地化?或者是否有使用Microsoft似乎用于Visual Studio的方法?
答案 0 :(得分:111)
.NET 4中的System.ComponentModel.DataAnnotations存在Display attribute。它适用于MVC 3 PropertyGrid
。
[Display(ResourceType = typeof(MyResources), Name = "UserName")]
public string UserName { get; set; }
这会在UserName
.resx文件中查找名为MyResources
的资源。
答案 1 :(得分:79)
我们正在为许多属性执行此操作以支持多种语言。我们采用了类似于Microsoft的方法,它们覆盖了它们的基本属性并传递了资源名称而不是实际的字符串。然后使用资源名称在DLL资源中执行查找以返回实际字符串。
例如:
class LocalizedDisplayNameAttribute : DisplayNameAttribute
{
private readonly string resourceName;
public LocalizedDisplayNameAttribute(string resourceName)
: base()
{
this.resourceName = resourceName;
}
public override string DisplayName
{
get
{
return Resources.ResourceManager.GetString(this.resourceName);
}
}
}
在实际使用属性时,可以更进一步,并在静态类中将资源名称指定为常量。这样,您就可以获得类似的声明。
[LocalizedDisplayName(ResourceStrings.MyPropertyName)]
public string MyProperty
{
get
{
...
}
}
<强>更新强>
ResourceStrings
看起来像(注意,每个字符串都会引用指定实际字符串的资源的名称):
public static class ResourceStrings
{
public const string ForegroundColorDisplayName="ForegroundColorDisplayName";
public const string FontSizeDisplayName="FontSizeDisplayName";
}
答案 2 :(得分:41)
这是我在一个单独的程序集中结束的解决方案(在我的例子中称为“Common”):
[AttributeUsage(AttributeTargets.Class | AttributeTargets.Method | AttributeTargets.Property | AttributeTargets.Event)]
public class DisplayNameLocalizedAttribute : DisplayNameAttribute
{
public DisplayNameLocalizedAttribute(Type resourceManagerProvider, string resourceKey)
: base(Utils.LookupResource(resourceManagerProvider, resourceKey))
{
}
}
使用代码查找资源:
internal static string LookupResource(Type resourceManagerProvider, string resourceKey)
{
foreach (PropertyInfo staticProperty in resourceManagerProvider.GetProperties(BindingFlags.Static | BindingFlags.NonPublic))
{
if (staticProperty.PropertyType == typeof(System.Resources.ResourceManager))
{
System.Resources.ResourceManager resourceManager = (System.Resources.ResourceManager)staticProperty.GetValue(null, null);
return resourceManager.GetString(resourceKey);
}
}
return resourceKey; // Fallback with the key name
}
典型用法是:
class Foo
{
[Common.DisplayNameLocalized(typeof(Resources.Resource), "CreationDateDisplayName"),
Common.DescriptionLocalized(typeof(Resources.Resource), "CreationDateDescription")]
public DateTime CreationDate
{
get;
set;
}
}
因为我使用文字字符串作为资源键,所以非常难看。使用常量意味着修改Resources.Designer.cs,这可能不是一个好主意。
结论:我对此并不满意,但对于那些无法为这样一项共同任务提供任何有用的东西的我更不高兴。
答案 3 :(得分:14)
您可以使用T4生成常量。我写了一篇:
<#@ template debug="false" hostspecific="true" language="C#" #>
<#@ output extension=".cs" #>
<#@ assembly name="System.Xml.dll" #>
<#@ import namespace="System.Xml" #>
<#@ import namespace="System.Xml.XPath" #>
using System;
using System.ComponentModel;
namespace Bear.Client
{
/// <summary>
/// Localized display name attribute
/// </summary>
public class LocalizedDisplayNameAttribute : DisplayNameAttribute
{
readonly string _resourceName;
/// <summary>
/// Initializes a new instance of the <see cref="LocalizedDisplayNameAttribute"/> class.
/// </summary>
/// <param name="resourceName">Name of the resource.</param>
public LocalizedDisplayNameAttribute(string resourceName)
: base()
{
_resourceName = resourceName;
}
/// <summary>
/// Gets the display name for a property, event, or public void method that takes no arguments stored in this attribute.
/// </summary>
/// <value></value>
/// <returns>
/// The display name.
/// </returns>
public override String DisplayName
{
get
{
return Resources.ResourceManager.GetString(this._resourceName);
}
}
}
partial class Constants
{
public partial class Resources
{
<#
var reader = XmlReader.Create(Host.ResolvePath("resources.resx"));
var document = new XPathDocument(reader);
var navigator = document.CreateNavigator();
var dataNav = navigator.Select("/root/data");
foreach (XPathNavigator item in dataNav)
{
var name = item.GetAttribute("name", String.Empty);
#>
public const String <#= name#> = "<#= name#>";
<# } #>
}
}
}
答案 4 :(得分:14)
使用Display属性(来自System.ComponentModel.DataAnnotations)和C#6中的nameof()表达式,您将获得一个本地化且强类型的解决方案。
[Display(ResourceType = typeof(MyResources), Name = nameof(MyResources.UserName))]
public string UserName { get; set; }
答案 5 :(得分:9)
这是一个老问题,但我认为这是一个非常常见的问题,这是我在MVC 3中的解决方案。
首先,需要一个T4模板来生成常量以避免讨厌的字符串。我们有一个资源文件'Labels.resx'包含所有标签字符串。因此,T4模板直接使用资源文件,
<#@ template debug="True" hostspecific="True" language="C#" #>
<#@ output extension=".cs" #>
<#@ Assembly Name="C:\Project\trunk\Resources\bin\Development\Resources.dll" #>
<#@ import namespace="System.Collections.Generic" #>
<#@ import namespace="System.Collections" #>
<#@ import namespace="System.Globalization" #>
<#@ import namespace="System" #>
<#@ import namespace="System.Resources" #>
<#
var resourceStrings = new List<string>();
var manager = Resources.Labels.ResourceManager;
IDictionaryEnumerator enumerator = manager.GetResourceSet(CultureInfo.CurrentCulture, true, true)
.GetEnumerator();
while (enumerator.MoveNext())
{
resourceStrings.Add(enumerator.Key.ToString());
}
#>
// This file is generated automatically. Do NOT modify any content inside.
namespace Lib.Const{
public static class LabelNames{
<#
foreach (String label in resourceStrings){
#>
public const string <#=label#> = "<#=label#>";
<#
}
#>
}
}
然后,创建一个扩展方法来本地化'DisplayName',
using System.ComponentModel.DataAnnotations;
using Resources;
namespace Web.Extensions.ValidationAttributes
{
public static class ValidationAttributeHelper
{
public static ValidationContext LocalizeDisplayName(this ValidationContext context)
{
context.DisplayName = Labels.ResourceManager.GetString(context.DisplayName) ?? context.DisplayName;
return context;
}
}
}
'DisplayName'属性被'DisplayLabel'属性替换,以便自动从'Labels.resx'读取,
namespace Web.Extensions.ValidationAttributes
{
public class DisplayLabelAttribute :System.ComponentModel.DisplayNameAttribute
{
private readonly string _propertyLabel;
public DisplayLabelAttribute(string propertyLabel)
{
_propertyLabel = propertyLabel;
}
public override string DisplayName
{
get
{
return _propertyLabel;
}
}
}
}
完成所有准备工作后,有时间触摸那些默认验证属性。我使用'Required'属性作为示例,
using System.ComponentModel.DataAnnotations;
using Resources;
namespace Web.Extensions.ValidationAttributes
{
public class RequiredAttribute : System.ComponentModel.DataAnnotations.RequiredAttribute
{
public RequiredAttribute()
{
ErrorMessageResourceType = typeof (Errors);
ErrorMessageResourceName = "Required";
}
protected override ValidationResult IsValid(object value, ValidationContext validationContext)
{
return base.IsValid(value, validationContext.LocalizeDisplayName());
}
}
}
现在,我们可以在模型中应用这些属性,
using Web.Extensions.ValidationAttributes;
namespace Web.Areas.Foo.Models
{
public class Person
{
[DisplayLabel(Lib.Const.LabelNames.HowOldAreYou)]
public int Age { get; set; }
[Required]
public string Name { get; set; }
}
}
默认情况下,属性名称用作查找“Label.resx”的键,但如果通过“DisplayLabel”进行设置,则会使用该名称。
答案 6 :(得分:5)
您可以通过覆盖其中一个方法,将DisplayNameAttribute子类化为提供i18n。像这样。 编辑:您可能不得不考虑使用密钥的常量。
using System;
using System.ComponentModel;
using System.Windows.Forms;
class Foo {
[MyDisplayName("bar")] // perhaps use a constant: SomeType.SomeResName
public string Bar {get; set; }
}
public class MyDisplayNameAttribute : DisplayNameAttribute {
public MyDisplayNameAttribute(string key) : base(Lookup(key)) {}
static string Lookup(string key) {
try {
// get from your resx or whatever
return "le bar";
} catch {
return key; // fallback
}
}
}
class Program {
[STAThread]
static void Main() {
Application.Run(new Form { Controls = {
new PropertyGrid { SelectedObject =
new Foo { Bar = "abc" } } } });
}
}
答案 7 :(得分:2)
我用这种方式解决我的问题
[LocalizedDisplayName("Age", NameResourceType = typeof(RegistrationResources))]
public bool Age { get; set; }
使用代码
public sealed class LocalizedDisplayNameAttribute : DisplayNameAttribute
{
private PropertyInfo _nameProperty;
private Type _resourceType;
public LocalizedDisplayNameAttribute(string displayNameKey)
: base(displayNameKey)
{
}
public Type NameResourceType
{
get
{
return _resourceType;
}
set
{
_resourceType = value;
_nameProperty = _resourceType.GetProperty(base.DisplayName, BindingFlags.Static | BindingFlags.Public);
}
}
public override string DisplayName
{
get
{
if (_nameProperty == null)
{
return base.DisplayName;
}
return (string)_nameProperty.GetValue(_nameProperty.DeclaringType, null);
}
}
}
答案 8 :(得分:1)
好吧,程序集是Microsoft.VisualStudio.Modeling.Sdk.dll
。随Visual Studio SDK一起提供(使用Visual Studio集成包)。
但它的使用方式与您的属性几乎相同;没有办法在属性中使用强类型资源,因为它们不是常量。
答案 9 :(得分:0)
我为VB.NET代码道歉,我的C#有点生疏......但是你会理解这个想法,对吗?
首先,创建一个新类LocalizedPropertyDescriptor
,它继承PropertyDescriptor
。像这样覆盖DisplayName
属性:
Public Overrides ReadOnly Property DisplayName() As String
Get
Dim BaseValue As String = MyBase.DisplayName
Dim Translated As String = Some.ResourceManager.GetString(BaseValue)
If String.IsNullOrEmpty(Translated) Then
Return MyBase.DisplayName
Else
Return Translated
End If
End Get
End Property
Some.ResourceManager
是包含翻译的资源文件的ResourceManager。
接下来,在具有本地化属性的类中实现ICustomTypeDescriptor
,并覆盖GetProperties
方法:
Public Function GetProperties() As PropertyDescriptorCollection Implements System.ComponentModel.ICustomTypeDescriptor.GetProperties
Dim baseProps As PropertyDescriptorCollection = TypeDescriptor.GetProperties(Me, True)
Dim LocalizedProps As PropertyDescriptorCollection = New PropertyDescriptorCollection(Nothing)
Dim oProp As PropertyDescriptor
For Each oProp In baseProps
LocalizedProps.Add(New LocalizedPropertyDescriptor(oProp))
Next
Return LocalizedProps
End Function
您现在可以使用'DisplayName`属性来存储对资源文件中的值的引用...
<DisplayName("prop_description")> _
Public Property Description() As String
prop_description
是资源文件中的密钥。
答案 10 :(得分:0)
显示名称:
public sealed class LocalizedDisplayNameAttribute : DisplayNameAttribute
{
public string ResourceKey { get; }
public string BaseName { get; set; }
public Type ResourceType { get; set; }
public LocalizedDisplayNameAttribute(string resourceKey)
{
ResourceKey = resourceKey;
}
public override string DisplayName
{
get
{
var baseName = BaseName;
var assembly = ResourceType?.Assembly ?? Assembly.GetEntryAssembly();
if (baseName.IsNullOrEmpty())
{
// ReSharper disable once PossibleNullReferenceException
baseName = $"{(ResourceType != null ? ResourceType.Namespace : assembly.GetName().Name)}.Resources";
}
// ReSharper disable once AssignNullToNotNullAttribute
var res = new ResourceManager(baseName, assembly);
var str = res.GetString(ResourceKey);
return string.IsNullOrEmpty(str)
? $"[[{ResourceKey}]]"
: str;
}
}
}
说明:
public sealed class LocalizedDescriptionAttribute : DescriptionAttribute
{
public string ResourceKey { get; }
public string BaseName { get; set; }
public Type ResourceType { get; set; }
public LocalizedDescriptionAttribute(string resourceKey)
{
ResourceKey = resourceKey;
}
public override string Description
{
get
{
var baseName = BaseName;
var assembly = ResourceType?.Assembly ?? Assembly.GetEntryAssembly();
if (baseName.IsNullOrEmpty())
{
// ReSharper disable once PossibleNullReferenceException
baseName = $"{(ResourceType != null ? ResourceType.Namespace : assembly.GetName().Name)}.Resources";
}
// ReSharper disable once AssignNullToNotNullAttribute
var res = new ResourceManager(baseName, assembly);
var str = res.GetString(ResourceKey);
return string.IsNullOrEmpty(str)
? $"[[{ResourceKey}]]"
: str;
}
}
}
类别(属性网格):
public sealed class LocalizedCategoryAttribute : CategoryAttribute
{
public string ResourceKey { get; }
public string BaseName { get; set; }
public Type ResourceType { get; set; }
public LocalizedCategoryAttribute(string resourceKey)
: base(resourceKey)
{
ResourceKey = resourceKey;
}
protected override string GetLocalizedString(string resourceKey)
{
var baseName = BaseName;
var assembly = ResourceType?.Assembly ?? Assembly.GetEntryAssembly();
if (baseName.IsNullOrEmpty())
{
// ReSharper disable once PossibleNullReferenceException
baseName = $"{(ResourceType != null ? ResourceType.Namespace : assembly.GetName().Name)}.Resources";
}
// ReSharper disable once AssignNullToNotNullAttribute
var res = new ResourceManager(baseName, assembly);
var str = res.GetString(resourceKey);
return string.IsNullOrEmpty(str)
? $"[[{ResourceKey}]]"
: str;
}
}
示例:
[LocalizedDisplayName("ResourceKey", ResourceType = typeof(RE))]
“RE”在包含“Resources.de.resx”或“Resources.en.resx”等资源文件的程序集中的位置。
适用于枚举和属性。
干杯