我在appengine上有一个应用程序,用于存储用户输入的一些数据字段。我想防止冗余条目,即如果所有字段都相同,则不应在数据库中输入数据。
(可选)如果输入相同的数据,则应增加相应列“count”的值。
我尝试将Django Meta选项unique_together用于此目的,但它似乎不起作用。相同的数据仍然存储在数据库中。请帮忙。这是我的代码:
class Log(db.Model):
name = db.StringProperty()
location = db.StringProperty()
msg = db.StringProperty()
class Meta:
unique_together = (("name","location","msg"),)
答案 0 :(得分:0)
有一些误解。
首先,您在代码中使用datastore
,而不是django。 unique_together
没有Meta
或datastore
选项。
数据存储是appengine上的nosql服务。
如果要使数据存储区实体具有唯一性。最简单的方法是使用key_name
。
key_name将是唯一的。后一个实体将替换旧实体,而它们具有相同的key_name
。
例如:
# key_name has length limit (500), hash it can make sure it won't exceed the limit
log = Log(
key_name=str(hash((name,location,msg))),
name=name,
location=location,
msg=msg
)
log.put()
# it will replace any exist log which has the same name, location, msg combination.
# and the item can be Retrieve via key_name directly.
log = Log.get(key_name)
内置hash
可能会在不同的机器中返回不同的值。所以最好使用hashlib。
您可以通过多种方式定义key_name
,只需确保它不会发生意外碰撞。
例如:
md5:http://docs.python.org/2/library/md5.html
或者只是将所有字段附加在一起。 key_name=name + "|" + location + "|" + msg
了解更多信息: https://developers.google.com/appengine/docs/python/datastore/entities#Retrieving_an_Entity
如果您想在app引擎上使用django,则应将模型定义为:
from django.db import models
class Log(models.Model):
name = models.CharField(max_length=255)
location = models.StringProperty(max_length=255)
msg = models.StringProperty(max_length=255)
class Meta:
unique_together = (("name","location","msg"),)
这是一个完整的示例,一个用于db,另一个用于ndb。 对于ndb,它非常简单。对于db来说,这有点难。
from google.appengine.ext import db
from google.appengine.ext import ndb
import webapp2
class Log(db.Model):
name = db.StringProperty()
location = db.StringProperty()
msg = db.StringProperty()
count = db.IntegerProperty()
@classmethod
def key_name(cls, name, location, msg):
return name+"|"+location+"|"+msg
@classmethod
def get(cls, name, location, msg):
return db.get(db.Key.from_path(cls.__name__, cls.key_name(name, location, msg) ))
class nLog(ndb.Model):
name = ndb.StringProperty()
location = ndb.StringProperty()
msg = ndb.StringProperty()
count = ndb.IntegerProperty()
class Test1(webapp2.RequestHandler):
def get(self):
name='test_name'
location = 'test_location'
msg = 'test_msg'
Qkey_name= Log.key_name(name, location, msg)
log = Log(
key_name=Qkey_name,
name=name,
location=location,
msg=msg,
count=0
).put()
if Log.get(name, location, msg) is not None:
Qcount = Log.get(name, location, msg).count
else:
Qcount = 1
class Test2(webapp2.RequestHandler):
def get(self):
name='test_name'
location = 'test_location'
msg = 'test_msg'
Qkey_name = name + "|" + location + "|" + msg
log = nLog(
id=Qkey_name,
name=name,
location=location,
msg=msg,
count=0
).put()
if nLog.get_by_id(Qkey_name) is not None:
Qcount = nLog.get_by_id(Qkey_name).count
else:
Qcount = 1
app = webapp2.WSGIApplication([
(r'/1', Test1),
(r'/2', Test2)
], debug=True)
答案 1 :(得分:0)
我不熟悉django但是为了解决你的问题,我会使用某种数据哈希并将其指定为实体的key_name。这样你就可以保证它是唯一的,并且使用put钩子实现计数器应该是微不足道的。