我什至不知道如何找到解决方案,但让我们从头开始。
这些是我的模特:
class Animal(models.Model):
SPECIES = (
("DOG", "DOG"),
("CAT", "CAT"),
)
species = models.CharField(max_length=4, choices=SPECIES)
name = models.CharField(max_length=20)
weight = models.PositiveSmallIntegerField(null=False, blank=False)
age = models.PositiveSmallIntegerField(null=False, blank=False)
color = models.CharField(max_length=10)
isill = models.BooleanField(null=False)
isagressive = models.BooleanField(null=False)
isadopted = models.BooleanField(null=False)
isreturned = models.NullBooleanField()
whichbox = models.CharField(max_length=5)
photo = models.ImageField(null=True, blank=True)
def __str__(self):
return self.name
class MedicalHistory(models.Model):
animal = models.ForeignKey(Animal, on_delete=models.CASCADE)
disease = models.CharField(max_length=100)
medicine = models.CharField(max_length=20, null=True, blank=True)
therapy = models.CharField(max_length=50)
howmuchmed = models.CharField(max_length=50)
daterecord = models.DateField
def __str__(self):
return self.disease
这是我的网址:
urlpatterns = [
path('', AnimalListView.as_view(template_name='Animals/animals.html'), name='animallist'),
path('add/', AddAnimal.as_view(), name='addanimal'),
path('edit/<int:pk>/', EditAnimal.as_view(), name='editanimal'),
path('detail/<int:pk>/', AnimalDetailView.as_view(template_name='Animals/animaldetail.html'), name='animaldetail'),
path('medlist/<int:pk>/', MedhistoryListView.as_view(template_name='Animals/medlist.html'), name='medlist'),
]
和我的观点(总共只有两个)
class AnimalDetailView(DetailView):
queryset = Animal.objects.all()
def get_object(self):
object = super().get_object()
object.save()
return object
context_object_name = 'animal_detail'
class MedhistoryListView(ListView):
"PLACE FOR CODE"
context_object_name = 'medical_history_list'
在MedhistoryListView中,我想展示动物患有的疾病。 AnimalDetailView模板上有指向Medhistorylistview的URL的链接。我的主要问题是如何将主键从一个视图保存到另一个视图,并仅通过指定animal.pk选择这些对象。就像MedicalHistory.objects.get(animal.pk = pk)。谁能帮我吗?
答案 0 :(得分:1)
首先,在AnimalDetailView中删除该get_object()
方法。除了引起完全毫无意义的更新查询外,它什么也没做。
现在,在您的MedhistoryListView中,您要将查询集设置为与URL中PK标识的动物相关的对象集。因此,定义get_queryset()
方法:
def get_queryset(self, *args, **kwargs):
return MedicalHistory.objects.filter(animal_id=self.kwargs['pk'])
答案 1 :(得分:-1)
您可以将PK作为参数传递给MedhistoryListView
视图内的方法。
模板内部具有以下链接:
<a href="{% url 'app_name:animaldetail' id_to_pass_to_view %}">Link to view</a>
然后在您的views.py
文件中:
class MedhistoryListView(ListView):
def get(self, request, pk):
animal_history = MedicalHistory.objects.get(animal.pk=pk)
# the animal_history object now contains the animal's medical history as stored in the database
链接中的代码将用户定向到动物视图,并将id id_to_pass_to_view
作为参数传递给get()
类内的MedhistoryListView
方法。 pk
参数包含在URL中发送的主键,然后可用于检索该动物的病史。