我使用NDatabase来做一些非常简单的对象存储 - 基本上构建一个持久的工作队列。计划是创建一组对象,将它们保存到磁盘,然后在其中一个属性上读取它们。我无法得到"排序"部分工作 - NDatabase抛出异常。
这里是我想要保留的对象的超类型:
public abstract class Instruction: IComparable, IComparable<Instruction>
{
public virtual DateTime Timestamp
{
get;
set;
}
public int CompareTo(Instruction other)
{
if (this.Timestamp.Equals(other.Timestamp))
return 0;
return (this.Timestamp < other.Timestamp) ? -1 : 1;
}
public int CompareTo(object obj)
{
var other = obj as Instruction;
return other == null ? -1 : this.CompareTo(other);
}
}
以下是我如何创建对象库:
using (var odb = OdbFactory.Open(storeName))
{
odb.IndexManagerFor<Instruction>().AddIndexOn("TimestampIndex", "Timestamp");
foreach (var instruction in instructions)
{
odb.Store(instruction);
}
odb.IndexManagerFor<Instruction>().RebuildIndex("TimestampIndex");
}
以下是如何检索商店:
lock (this.odb)
{
var q = odb.Query<T>();
q.Descend("Timestamp").OrderAscending();
var objectSet = q.Execute<T>(true, 0, maxCount);
instructions = objectSet.ToList();
foreach (var instruction in instructions)
{
odb.Delete(instruction);
}
odb.IndexManagerFor<Instruction>().RebuildIndex("TimestampIndex");
odb.Commit();
}
这会在NDatabase.Exceptions.OdbRuntimeException
电话上引发ToList()
。深入了解异常属性会给出消息
&#34; NDatabase引发了异常错误:222:不支持操作: CopyTo从&#34;
但是,如果我注释掉q.Descend("Timestamp").OrderAscending();
行,那么它可以正常工作 - 虽然它显然没有订购。
有人可以帮忙解释一下吗?
答案 0 :(得分:5)
该异常告诉您NDatabase的ICollection<T>
(AbstractBTreeCollection<T>
)的基本实现不支持方法CopyTo()
,该方法由LINQ扩展方法ToList()
调用,你正在使用。
那么问题就变成了,为什么这只会在你使用OrderByAscending进行中间工作时发生,而不是直接在Query的结果上呢?
查看NDatabase的源代码,我可以看到原因: http://ndatabase.codeplex.com/SourceControl/latest
if (_inMemory)
{
if (_query != null && _query.HasOrderBy())
_result = new InMemoryBTreeCollection<T>(_query.GetOrderByType());
else
_result = new SimpleList<T>();
}
else
{
// result = new InMemoryBTreeCollection((int) nbObjects);
if (_query != null && _query.HasOrderBy())
_result = new LazyBTreeCollection<T>(_storageEngine, _returnObjects);
else
_result = new LazySimpleListFromOid<T>(_storageEngine, _returnObjects);
}
在QueryResultAction<T>.Start()
:
AbstractBTreeCollection
,不支持CopyTo
。 SimpleList
或LazySimpleListFromOid
的实例,该实例支持CopyTo
。查看NDatabase的示例,他们不希望您致电ToList()
:
https://ndatabase.codeplex.com/wikipage?title=5-minutes-tutorial
这是一个相当痛苦的实施细微差别。你可能想把它作为一个问题提出来。