1

我有两个模型:工作和位置:

class Job(models.Model):
   title = models.CharField(max_length=20)
   company = models.CharField(max_length=20)
   location = ForeignKey('Location')

class Location(models.Model):
   country = models.CharField(max_length=20)
   state = models.CharField(max_length=20)
   city = models.CharField(max_length=20)
   latitude = models.FloatField(blank=True, default=0.0)
   longitude = models.FloatField(blank=True, default=0.0)
   big-city = ForeignKey('Location')

假设:我的数据库中有 US/Calif/San-Fran、US/Calif/San_Jose、US/Calif/Alameda 和 US/Calif/Oakland。我还有经理/Ebay/San-Fran、会计/Amazon/San-Jose、Coop/IBM/Oakland 和主管/Dell/Alameda。

另外: San-Fran 将自己称为 big_city,而 San-Jose、Alameda 和 Oakland 将 San-Fran 作为他们的大城市。

现在,当有人在 San-Fran 搜索所有工作时,我会执行这样的查询。

Job.objects.filter(
location__country='US', 
location__state='Calif', 
location__city='San-Fran').selected_related('Location')

但是,我想允许按地区搜索,用户可以在其中搜索 San-Fran 地区的所有工作。这将是 San-Fran、Oakland、Alameda 和 San-Jose 的所有工作吗?

就像“告诉我所有有其位置的工作都被其他位置引用”。

这会被称为双连接吗?

理想情况下,我会使用 lat-lon-radius (稍后的练习),但现在我想知道如何使用双连接来做到这一点。

谢谢。

Vn44ca

4

1 回答 1

1

这是一个应该做你想做的查询:

Job.objects.filter(location__big_city__city='San-Fran', location__big_city__state='Calif', location__big_city__country='USA')

事实上,Django 在运行此查询时在 Location 表上使用了两次连接:

SELECT "example_job"."id", "example_job"."title", "example_job"."company", "example_job"."location_id" FROM "example_job" INNER JOIN "example_location" ON ("example_job"."location_id" = "example_location"."id") INNER JOIN "example_location" T3 ON ("example_location"."big_city_id" = T3."id") WHERE (T3."country" = USA  AND T3."city" = San-Fran  AND T3."state" = Calif
于 2009-05-10T19:48:35.460 回答