3

我最近看到一些文章指出要扁平化 NoSQL 数据库的数据。来自传统的 SQL 数据库,我意识到我正在 GAE 中复制 SQL 数据库行为。所以我开始尽可能地重构代码。

例如,我们有一个社交媒体网站,用户可以在其中互相成为朋友。

class Friendship(ndb.Model):
   from_friend = ndb.KeyProperty(kind=User)
   to_friend = ndb.KeyProperty(kind=User)

该应用程序有效地在两个用户之间创建了一个友谊实例。

friendshipA = Friendship(from_friend = UserA, to_friend = userB)
friendshipB = Friendship(from_friend = UserB, to_friend = userA)

我现在怎么能把它移到实际的用户模型上来展平它。我想也许我可以使用 StructuredProperty。我知道它仅限于 5000 个条目,但这对朋友来说应该足够了。

class User(UserMixin, ndb.Model):
     name = ndb.StringProperty()
     friends = ndb.StructuredProperty(User, repeated=True)

所以我想出了这个,但是用户不能指向自己,所以看起来。因为我得到一个NameError: name 'User' is not defined

知道如何将其展平,以便单个 User 实例包含其所有朋友及其所有属性吗?

4

2 回答 2

1

您不能创建引用自身的 StructuredProperty。此外,使用 StructuredProperty 存储 的副本User还有一个额外的问题,即如果用户修改了存储的属性,则需要执行手动级联更新。

但是,由于 KeyProperty 接受 String as kind,您可以按照@dragonx 的建议使用 KeyProperty 轻松存储用户列表。您可以通过使用来进一步优化读取,ndb.get_multi以避免在检索朋友时进行多次往返 RPC 调用。

这是一个示例代码:

class User(ndb.Model):
     name = ndb.StringProperty()
     friends = ndb.KeyProperty(kind="User", repeated=True)

userB = User(name="User B")
userB_key = userB.put()

userC = User(name="User C")
userC_key = userC.put()

userA = User(name="User A", friends=[userB_key, userC_key])
userA_key = userA.put()

# To retrieve all friends
for user in ndb.get_multi(userA.friends):
    print "user: %s" % user.name
于 2013-07-04T11:12:31.153 回答
0

使用存储用户实例密钥的 KeyProperty。

于 2013-07-03T17:14:03.267 回答