Django:将一个应用拆分为多个:模板、代理模型和外键

Django: Splitting one app into multiple: Templates, Proxy Models & ForeignKeys

为了让我的项目更简洁,我决定(也许是错误的)将我的一个 Django 应用程序一分为二。一个用于信息管理的应用程序,另一个用于显示。为此,我认为在显示应用程序中使用 Django 代理模型是最好的方法。但是,我遇到了某些模型中 ForeignKey 字段的问题,并强制这些外键使用代理模型,而不是其原始模型。

这里有一些例子可以更清楚地说明:

App_1-model.py

class Recipe(models.Model):
    name = models.CharField(max_length=200)
    slug = models.SlugField()
    ...

class Ingredient(models.Model):
    name = models.CharField(max_length=200)
    recipe = models.ForeignKey(Recipe)
    weight = models.IntegerField()

App_2-model.py(进口 App_1 型号)

class RecipeDisplayProxy(Recipe):

    class Meta:
        proxy = True

    @property
    def total_weight(self):
        # routine to calculate total weight
        return '100g'


class IngredientDisplayProxy(Ingredient):

    class Meta:
        proxy = True

    @property
    def weight_lbs(self):
        # routine to convert the original weight (grams) to lbs 
        return '2lb'

App_2.views.py

def display_recipe(request, slug):
    recipe = get_object_or_404(RecipeDisplayProxy, slug=slug)

    return render(
        request,
        'display_recipe/recipe.html',
        {'recipe': recipe}
        )

App_2-template.html

<h2 class="display-4">{{ recipe.name }}</h2>
<p>{{ recipe.total_weight }}</p> <!-- This works fine, as expected //-->

<ul>
{% for recipe_ingredient in recipe.ingredient_set.all %}
<li>{{recipe_ingredient.ingredient}} &ndash;

{{recipe_ingredient.weight_lbs}}</li>

<!-- 
The above line doesn't return anything as the 'Ingredient' model, not the "IngredientDisplayProxy' is being returned. (As expected) 
-->

{% endfor %}
</ul>

这里发生的事情是,我成功地 returning 了视图中指定的 RecipeDisplayProxy 模型,但是当我访问 ingredient_set 时,它 return 是 Ingredient 模型,而不是比 IngredientDisplayProxy(如预期)。

那么如何强制 ingredient_set 改为 return IngredientDisplayProxy 模型?

我尝试实现此处找到的代码: Django proxy model and ForeignKey

但是运气不好。然后我开始深入研究 RecipeDisplayProxy 的 init() 方法 - 看看我是否可以覆盖 ingredient_set 中使用的模型,但找不到任何可以给我的东西正确的回应。

有什么想法吗?

或者,我是不是走错了路——应该考虑完全不同的设计?

从视图来看,您返回的是食谱实例,但在模板中,您是通过食谱访问配料,但应该反过来,您可以从配料中访问 recipe.Now代理模型,最好阅读此 documentation

看起来我做错了一些事情,所以根据 fips 的建议,我回去做了以下事情:

class RecipeDisplayProxy(Recipe):

    class Meta:
        proxy = True

    @property
    def total_weight(self):
        # routine to calculate total weight
        return '100g'

    @property
    def ingredient_set(self):
        qs = super(RecipeDisplayProxy, self).ingredient_set
        qs.model = IngredientDisplayProxy
        return qs

就这么简单:'(非常感谢您的帮助和建议。