Lze chybu zopakovat?
Ano, použijme slavnou Publication
a Article
modely z Dokumenty Django
. Poté vytvoříme několik vláken.
import threading
import random
def populate():
for i in range(100):
Article.objects.create(headline = 'headline{0}'.format(i))
Publication.objects.create(title = 'title{0}'.format(i))
print 'created objects'
class MyThread(threading.Thread):
def run(self):
for q in range(1,100):
for i in range(1,5):
pub = Publication.objects.all()[random.randint(1,2)]
for j in range(1,5):
article = Article.objects.all()[random.randint(1,15)]
pub.article_set.add(article)
print self.name
Article.objects.all().delete()
Publication.objects.all().delete()
populate()
thrd1 = MyThread()
thrd2 = MyThread()
thrd3 = MyThread()
thrd1.start()
thrd2.start()
thrd3.start()
Určitě uvidíte jedinečná porušení klíčových omezení typu hlášeného v zprávě o chybě . Pokud je nevidíte, zkuste zvýšit počet vláken nebo iterací.
Existuje nějaké řešení?
Ano. Použijte through
modely a get_or_create
. Zde je model models.py upravený z příkladu v django docs.
class Publication(models.Model):
title = models.CharField(max_length=30)
def __str__(self): # __unicode__ on Python 2
return self.title
class Meta:
ordering = ('title',)
class Article(models.Model):
headline = models.CharField(max_length=100)
publications = models.ManyToManyField(Publication, through='ArticlePublication')
def __str__(self): # __unicode__ on Python 2
return self.headline
class Meta:
ordering = ('headline',)
class ArticlePublication(models.Model):
article = models.ForeignKey('Article', on_delete=models.CASCADE)
publication = models.ForeignKey('Publication', on_delete=models.CASCADE)
class Meta:
unique_together = ('article','publication')
Zde je nová třída vláken, která je modifikací té výše.
class MyThread2(threading.Thread):
def run(self):
for q in range(1,100):
for i in range(1,5):
pub = Publication.objects.all()[random.randint(1,2)]
for j in range(1,5):
article = Article.objects.all()[random.randint(1,15)]
ap , c = ArticlePublication.objects.get_or_create(article=article, publication=pub)
print 'Get or create', self.name
Zjistíte, že výjimka se již nezobrazuje. Neváhejte a zvyšte počet iterací. Do 1000 jsem se dostal pouze pomocí get_or_create
nevyhodilo to výjimku. Nicméně add()
obvykle vyvolal výjimku ve 20 iteracích.
Proč to funguje?
Protože get_or_create je atomový.
Aktualizace: Díky @louis za upozornění, že průchozí model lze ve skutečnosti odstranit. Tedy get_or_create
v MyThread2
lze změnit jako.
ap , c = article.publications.through.objects.get_or_create(
article=article, publication=pub)