1

我在我的 Xamarin 项目中使用SQL-NET 扩展。我正在尝试使用 where 子句返回我的模型的子元素。使用网站上的示例模型:

public class Stock
{
    [PrimaryKey, AutoIncrement]
    public int Id { get; set; }
    [MaxLength(8)]
    public string Symbol { get; set; }

    [OneToMany(CascadeOperations = CascadeOperation.All)]      // One to many relationship with Valuation
    public List<Valuation> Valuations { get; set; }
}

public class Valuation
{
    [PrimaryKey, AutoIncrement]
    public int Id { get; set; }

    [ForeignKey(typeof(Stock))]     // Specify the foreign key
    public int StockId { get; set; }
    public DateTime Time { get; set; }
    public decimal Price { get; set; }

    [ManyToOne]      // Many to one relationship with Stock
    public Stock Stock { get; set; }
}

我可以使用以下方法成功返回一个特定项目,其中填充了子项:

var storedValuation = db.GetWithChildren<Valuation>(valuation.Id);

但是我不知道如何使用Where子句而不是Get. 我努力了:

var results = db.Table<Valuation>().Where(x=>x.Price > 5.0m).ToList();

这将返回所有 Stock 参数为空。然后我可以遍历每个结果并设置它们,但我认为在原始查询中必须有更好的方法来做到这一点?

4

1 回答 1

2

您可以获取任何对象调用GetChildren方法的关系:

var results = db.Table<Valuation>().Where(x=>x.Price > 5.0m).ToList();
foreach (var element in results) {
    conn.GetChildren(element);
}

还有一种查询数据库的便捷方法,GetAllWithChildren它以一种不太冗长的方式执行相同的操作:

var results = conn.GetAllWithChildren<Valuation>(x => x.Price > 5.0m).ToList();

请注意,您无法访问此查询中的关系,因为它们需要JOIN未执行的关系。对于像这样的简单查询,它应该按预期工作。

于 2014-09-15T15:13:56.977 回答