我试图将某种类型的对象转换为它使用Convert.ChangeType()
实现的接口,但是InvalidCastException
被抛出,因为对象必须实现IConvertible。
类型:
public IDocumentSet : IQueryable {}
public IDocumentSet<TDocument> : IDocumentSet, IQueryable<TDocument> {}
public XmlDocumentSet<TDocument> : IDocumentSet<TDocument> {}
摘自发生错误的代码:
private readonly ConcurrentDictionary<Type, IDocumentSet> _openDocumentSets = new ConcurrentDictionary<Type, IDocumentSet>();
public void Commit()
{
if (_isDisposed)
throw new ObjectDisposedException(nameof(IDocumentStore));
if (!_openDocumentSets.Any())
return;
foreach (var openDocumentSet in _openDocumentSets)
{
var documentType = openDocumentSet.Key;
var documentSet = openDocumentSet.Value;
var fileName = GetDocumentSetFileName(documentType);
var documentSetPath = Path.Combine(FolderPath, fileName);
using (var stream = new FileStream(documentSetPath, FileMode.Create, FileAccess.Write))
using (var writer = new StreamWriter(stream))
{
var documentSetType = typeof (IDocumentSet<>).MakeGenericType(documentType);
var writeMethod = typeof (FileSystemDocumentStoreBase)
.GetMethod(nameof(WriteDocumentSet), BindingFlags.Instance | BindingFlags.NonPublic)
.MakeGenericMethod(documentSetType);
var genericDocumentSet = Convert.ChangeType(documentSet, documentSetType); <-------
writeMethod.Invoke(this, new[] {writer, genericDocumentSet});
}
}
}
现在,我无法理解为什么会发生这种情况(因为XmlDocumentSet
不是值类型)和XmlDocumentSet<'1>
实现IDocumentSet<'1>
。我错过什么了吗?或者有没有更简单的方法来实现我正在做的事情?
IConvertible接口被设计成允许一个类安全地将自己转换为另一个Type。转换。ChangeType调用使用该接口安全地将一种类型转换为另一种类型。
如果您在编译时不知道类型,那么您将被迫尝试运行时强制转换。将变量转换为仅在运行时已知的类型
对于这种合法的场景,实现IConvertible是非常痛苦的,在我看来,这浪费了宝贵的开发时间。最好是在基类中实现抽象方法,派生类将实现该方法以返回自己。示例如下:
//implement this in base class
protected abstract BaseDocumentTypeMap<ID> ConvertDocType(T doc);
//usage of the abstract code
BaseDocumentTypeMap<ID> beDocType;
//loop through all the document types and check if they are enabled
foreach(T doc in result)
{
beDocType = ConvertDocType(doc);
//some action
}
//implement this in the derived class
protected override BaseDocumentTypeMap<int> ConvertDocType(DocumentTypeMap doc)
{
return doc;
}
这工作完美,不需要痛苦的可逆。在上面的例子中,基类实现了<ID, T>
的接口,派生类引用了DocumentTypeMap类,而DocumentTypeMap类实现了<ID>
的接口