我正在尝试使用SQLite Net Extensions为游戏做笔记应用,它使用3层模型,Game [1 has many *] Character [1 has many *] Note [1 applies to *] Character
我在Visual Studio Community 2015中使用Xamarin并使用NuGet包管理器安装了SQLiteNetExtensions。
我还没有超越Game和character之间的第一级关系,并且插入数据库(无论是通过初始插入然后更新,还是使用InsertWithChildren递归)都不会更新Game对象中的Characters。它只会导致GameModel中List<CharacterModel>
的空对象。然而,游戏和角色都在数据库上制作。
抽象基础模型
public abstract class IdentifiableModel
{
[PrimaryKey, AutoIncrement]
public int Id { get; set; }
}
游戏模型
[Table("Game")]
public class GameModel : IdentifiableModel
{
[MaxLength(64)]
public string Name { get; set; }
[OneToMany]
public List<CharacterModel> Characters { get; set; }
}
角色模型
[Table("Characters")]
public class CharacterModel : IdentifiableModel
{
[ForeignKey(typeof (GameModel))]
public int GameId { get; set; }
[ManyToOne]
public GameModel Game { get; set; }
public string FullName { get; set; }
public string ShortName { get; set; }
}
要测试插入数据库,我在主要活动中执行此操作:
var game =
new GameModel
{
Name = "Game"
};
database.Insert(game);
var characters = new List<CharacterModel>
{
new CharacterModel
{
FullName = "Dude"
},
new CharacterModel
{
FullName = "Dudette"
}
};
database.InsertAll(characters);
game.Characters = characters;
database.UpdateWithChildren(game);
var testGame = database.GetAll<GameModel>().FirstOrDefault();
var testCharacter = database.GetAll<CharacterModel>().FirstOrDefault();
Console.WriteLine(testGame.Id + " " + testGame.Name);
Console.WriteLine(testCharacter.Id + " " + testCharacter.FullName + " " + testCharacter.GameId);
//testGame.Characters; // THIS IS NULL.
//testCharacter.Game; // THIS IS NULL.
我不知道从哪里开始对此进行排序,并希望得到一些帮助以使其正常运行。
编辑:使用非继承的主键完全没有任何区别。 testGame.Characters
或testCharacter.Game
答案 0 :(得分:3)
SQLite-Net Extensions通过其他加载和写入关系的方法扩展了SQLite.Net。您正在使用UpdateWithChildren
方法将关系写入数据库,但是您没有从数据库加载关系,因为GetAll
是一个简单的SQLite.Net方法。
尝试使用SQLite.Net方法的任何*WithChildren
变体,例如:
var testGame = database.GetAllWithChildren<GameModel>().FirstOrDefault();
或:
var testGame = database.GetWithChildren<GameModel>(game.Id);
或者,您可以加载调用GetChildren
方法的现有对象的关系:
var testGame = database.GetAll<GameModel>().FirstOrDefault();
testGame.GetChildren();
答案 1 :(得分:0)
由于缺少CascadeOperations = CascadeOperation.All,我遇到了同样的问题。添加以下说明解决我的问题
[OneToMany(CascadeOperations = CascadeOperation.All)]