1

我有一个使用 MEF 的插件架构的应用程序。对于每个导出的部件,都有一个带有部件名称的属性,我希望翻译名称,因为我使用这些字符串来显示 ListBoxes(或类似)中的可用部件。

因此,我尝试在 [Export] 注释中设置“Name = Strings.SomeText”,但出现以下错误:

“属性参数必须是属性参数类型的常量表达式、typeof 表达式或数组创建表达式”

有针对这个的解决方法吗?我发现元数据的使用非常有用(我做延迟加载),我不想为了翻译一些文本而重新设计所有内容。

有任何想法吗?谢谢。

4

1 回答 1

3

不幸的是,您不能直接将翻译后的文本提供给属性,因为属性只能包含编译时已知的数据。因此,您需要提供一些编译时间常数值,以便以后用于查找翻译后的测试。

一种解决方案是将资源名称传递给属性。然后,当您要显示翻译后的文本时,您可以获取资源名称,在资源中查找文本并显示结果。

例如,您的属性可能类似于:

[Export(Name = "SomeText")]
public class MyExport
{
}

然后,当您想要显示字符串时,您从定义导出的程序集中加载资源,并从加载的资源中提取实际文本。例如像这样(从另一个答案借来的):

var assembly = typeof(MyExport).Assembly;

// Resource file.. namespace.ClassName
var rm = new ResourceManager("MyAssembly.Strings", assembly);

// exportName contains the text provided to the Name property 
// of the Export attribute
var text = rm.GetString(exportName);

此解决方案的一个明显缺点是您失去了使用 Strings.SomeText 属性获得的类型安全性。

- - - - - 编辑 - - - - -

为了更容易获得翻译文本,您可以创建一个派生词,ExportAttribute它需要足够的信息来提取翻译文本。例如,自定义ExportAttribute可能看起来像这样

public sealed class NamedExportAttribute : ExportAttribute
{
    public NamedExportAttribute()
        : base()
    { 
    }

    public string ResourceName
    {
        get;
        set;
    }

    public Type ResourceType
    {
        get;
        set;
    }

    public string ResourceText()
    {
        var rm = new ResourceManager(ResourceType);
        return rm.GetString(ResourceName);
    }
}

使用此属性,您可以像这样应用它

[NamedExport(
    ResourceName = "SomeText", 
    ResourceType = typeof(MyNamespace.Properties.Resources))]
public sealed class MyClass
{ 
}

最后,当您需要获取翻译文本时,您可以这样做

var attribute = typeof(MyClass).GetCustomAttribute<NamedExportAttribute>();
var text = attribute.ResourceText();

另一种选择是使用DisplayAttribute

于 2012-12-03T19:57:54.163 回答