这里已经有几个很好的答案,它们解释了警告及其原因。其中的一些状态类似于在普通类型中具有静态字段,这通常是错误的。
我以为我会添加一个示例,说明如何使用此功能,即抑制R#警告是有意义的情况。
假设您有一组要序列化的实体类,例如Xml。您可以使用来为此创建一个序列化器new XmlSerializerFactory().CreateSerializer(typeof(SomeClass))
,但是随后您必须为每种类型创建一个单独的序列化器。使用泛型,可以将其替换为以下内容,并将其放置在实体可以派生的泛型类中:
new XmlSerializerFactory().CreateSerializer(typeof(T))
由于您可能不想每次需要序列化特定类型的实例时都生成新的序列化器,因此可以添加以下代码:
public class SerializableEntity<T>
{
// ReSharper disable once StaticMemberInGenericType
private static XmlSerializer _typeSpecificSerializer;
private static XmlSerializer TypeSpecificSerializer
{
get
{
// Only create an instance the first time. In practice,
// that will mean once for each variation of T that is used,
// as each will cause a new class to be created.
if ((_typeSpecificSerializer == null))
{
_typeSpecificSerializer =
new XmlSerializerFactory().CreateSerializer(typeof(T));
}
return _typeSpecificSerializer;
}
}
public virtual string Serialize()
{
// .... prepare for serializing...
// Access _typeSpecificSerializer via the property,
// and call the Serialize method, which depends on
// the specific type T of "this":
TypeSpecificSerializer.Serialize(xmlWriter, this);
}
}
如果此类不是通用类,则该类的每个实例将使用相同的_typeSpecificSerializer
。
但是,由于它是通用的,因此一组具有相同类型的实例T
将共享一个实例_typeSpecificSerializer
(将为该特定类型创建),而具有不同类型的T
实例将使用不同的实例。_typeSpecificSerializer
。
一个例子
提供了两个扩展的类SerializableEntity<T>
:
// Note that T is MyFirstEntity
public class MyFirstEntity : SerializableEntity<MyFirstEntity>
{
public string SomeValue { get; set; }
}
// Note that T is OtherEntity
public class OtherEntity : SerializableEntity<OtherEntity >
{
public int OtherValue { get; set; }
}
...让我们使用它们:
var firstInst = new MyFirstEntity{ SomeValue = "Foo" };
var secondInst = new MyFirstEntity{ SomeValue = "Bar" };
var thirdInst = new OtherEntity { OtherValue = 123 };
var fourthInst = new OtherEntity { OtherValue = 456 };
var xmlData1 = firstInst.Serialize();
var xmlData2 = secondInst.Serialize();
var xmlData3 = thirdInst.Serialize();
var xmlData4 = fourthInst.Serialize();
在这种情况下,firstInst
和secondInst
将会是相同类(即SerializableEntity<MyFirstEntity>
)的实例,因此,它们将共享的实例_typeSpecificSerializer
。
thirdInst
和fourthInst
是不同的类(的实例SerializableEntity<OtherEntity>
)等的将共享一个实例_typeSpecificSerializer
是不同从其他两个。
这意味着您会为每种实体类型获得不同的序列化程序实例,同时仍在每种实际类型的上下文中使它们保持静态(即,在特定类型的实例之间共享)。