我有这个课程,我们称之为“设备”。这个类有几个属性,其中一个是一个集合属性(字符串值)。
在RavenDB中可能有5000个“Device”实例,其中每个实例都可以在collections属性中有一个字符串值列表。我们将此属性称为“MyStringValues”。 我的问题围绕搜索ravendb的最佳方法,该实例包含其集合属性中的字符串值。
一个非常简单的例子:
void Main()
{
var d1 = new Device();
d1.Id = "device-1";
d1.MyStringValues.Add("123");
d2.MyStringValues.Add("456");
var d2 = new Device();
d2.Id = "device-2";
d2.MyStringValues.Add("789");
d2.MyStringValues.Add("abc");
}
public class Device{
public Device(){
MyStringValues = new List<string>();
}
public string Id {get;set;}
public IList<string> MyStringValues {get;set;}
}
在我尝试构造的方法中,我传递一个字符串值。基于该字符串我想收到一个设备。 检索此“设备”的最佳方法是什么?由于设备的数量可以达到5000,我无法全部获取它们并开始循环它们。必须有更好(更快)的方法来做到这一点。 你说什么家伙?
答案 0 :(得分:2)
您可以创建一个与MyStringValues列表匹配的索引,然后使用LINQ的Any查询它。
您的索引将是:
public class Devices_ByStringValue : AbstractIndexCreationTask<Device>
{
public override string IndexName => "Devices/ByStringValue";
public Devices_ByStringValue()
{
Map = devices => from device in devices
select new { device.MyStringValues };
}
}
现在你可以查询它:
var devices = session.Query<Device>()
.Where(x => x.MyStringValues.Any(s => s == searchTerm))
.ToList();
这是一个完整的控制台应用程序示例:
class Program
{
static void Main(string[] args)
{
Console.Write("> Enter your search term: ");
var searchTerm = Console.ReadLine();
using (var session = DocumentStoreHolder.Instance.OpenSession())
{
var devices = session.Query<Device>()
.Where(x => x.MyStringValues.Any(s => s == searchTerm))
.ToList();
foreach (var device in devices)
{
Console.WriteLine(device.Id);
foreach (var s in device.MyStringValues)
Console.WriteLine($" - {s}");
}
}
Console.ReadKey();
}
}
public class Device
{
public Device()
{
MyStringValues = new List<string>();
}
public string Id { get; set; }
public IList<string> MyStringValues { get; set; }
}
public class Devices_ByStringValue : AbstractIndexCreationTask<Device>
{
public override string IndexName => "Devices/ByStringValue";
public Devices_ByStringValue()
{
Map = devices => from device in devices
select new { device.MyStringValues };
}
}
public class DocumentStoreHolder
{
static DocumentStoreHolder()
{
Instance = new DocumentStore
{
Url = "http://localhost:8080/",
DefaultDatabase = "RavenTest",
};
Instance.Initialize();
Serializer = Instance.Conventions.CreateSerializer();
Serializer.TypeNameHandling = TypeNameHandling.All;
Instance.Initialize();
IndexCreation.CreateIndexes(typeof(Devices_ByStringValue).GetTypeInfo().Assembly, Instance);
}
public static DocumentStore Instance { get; }
public static JsonSerializer Serializer { get; }
}
答案 1 :(得分:0)
创建一个包含MyStringValues数据的索引。它可以在每个记录的数组中包含多个值。
然后,您可以使用.Where(x => x.MyStringValues.Contains(filteredValue))
创建索引查询并仅过滤包含给定值的记录。
然后使用流式传输(如果匹配记录的数量可能很高)或使用Load(您知道要加载的文档的上限)加载所有匹配的文档。
要测试工作室中的索引,可以使用简单的MyStringValues:abc
查询来查询索引。