9

我正在我的 Windows 应用商店应用程序 (WinRT) 中实现 SQLite 数据库。我想在两个表之间建立关系 (1:n) 书 (1) - 第 (n) 章

class Book
{
    [SQLite.AutoIncrement, SQLite.PrimaryKey]
    public int Id { get; set; }
    public String Title { get; set; }
    public String Description { get; set; }
    public String Author { get; set; }
    public List<Chapter> Chapters { get; set; }

    public Book() 
    {
        this.Chapeters = new List<Chapter>();
    }
}

我明白了

-       $exception  {"Don't know about     System.Collections.Generic.List`1[Audioteka.Models.Chapter]"}    System.Exception {System.NotSupportedException}

+       [System.NotSupportedException]  {"Don't know about System.Collections.Generic.List`1[Audioteka.Models.Chapter]"}    System.NotSupportedException

+       Data    {System.Collections.ListDictionaryInternal} System.Collections.IDictionary {System.Collections.ListDictionaryInternal}
    HelpLink    null    string
    HResult -2146233067 int
+       InnerException  null    System.Exception
    Message "Don't know about System.Collections.Generic.List`1[Audioteka.Models.Chapter]"  string

我究竟做错了什么 ?

4

2 回答 2

10

只是通过更多研究来跟进我的评论 - SQLite-net 不支持任何无法直接映射到数据库的内容。请参阅此处了解原因:

ORM 能够采用 .NET 类定义并将其转换为 SQL 表定义。(大多数 ORM 都朝另一个方向发展。)它通过检查类的所有公共属性来做到这一点,并由可用于指定列详细信息的属性辅助。

您可以考虑使用不同的 ORM 来实际访问您的数据(我使用Vici Coolstorage),如果这是您想要做的,或者只是List<Chapters>从您的类中删除并在类中添加一个BookID字段Chapters。这就是数据库将如何表示它。

为了使用它,您可以将其中之一添加到您的课程中:

List<Chapters> Chapters { 
  get { 
     return db.Query<Chapters> ("select * from Chapters where BookId = ?", this.Id); 
  } 
}

或者

List<Chapters> Chapters { 
  get { 
     return db.Query<Chapters>.Where(b => b.BookId == this.Id); 
  } 
}

这至少可以让您轻松地拉出列表,尽管它会很慢,因为每次访问它都会访问数据库。

于 2012-10-31T00:18:44.910 回答
10

看看SQLite-Net 扩展。它通过使用反射在 SQLite-Net 之上提供复杂的关系。

从网站中提取的示例:

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

    [OneToMany]      // 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; }
}
于 2014-04-21T13:18:11.340 回答