我正在试图弄清楚如何在我的项目中避免依赖注入。 app目录中有一个文件notifications.py
。
文件notifications.py
包含向管理员和用户发送电子邮件的方法。要获取管理员电子邮件,我需要检查SystemData
模型的对象。但在模型中,我使用通知。
模型
class SystemData(models.Model):
admin_alerts_email = models.EmailField(verbose_name=u'Emailová adresa admina')
contact_us_email = models.EmailField(verbose_name=u'Adresa kontaktujte nás')
waiting_threshold = models.PositiveSmallIntegerField(verbose_name=u'Maximálny počet minút čakania')
class SomeModel(models.Model):
....
def save(...):
notifications.send_message_to_admin('message')
notifications.py
from django.core.mail import EmailMessage
from models import SystemData
def send_message_to_admin(message):
mail = EmailMessage(subject, message, to=[SystemData.objects.all().first().admin_email])
mail.send()
Django返回它无法导入SystemData
。
你知道该怎么办吗?
修改
stacktrace
答案 0 :(得分:4)
您可以使用内联导入来解决函数中的循环依赖关系:
<foo><bar/></foo>
这将延迟import语句,直到函数实际执行,因此class SomeModel(models.Model):
....
def save(...):
from .notifications import send_message_to_admin
send_message_to_admin('message')
模块已经加载。然后,models
模块可以安全地导入notifications
模块。
答案 1 :(得分:2)
除了使用循环导入之外,你可以这样做:
from django.core.mail import EmailMessage
from django.db.models.signals import post_save
from django.dispatch import receiver
from .models import SystemData, SomeModel
@receiver(post_save, sender=SomeModel)
def send_message_to_admin(sender, instance, created, **kwargs):
message = 'message'
mail = EmailMessage(
subject,
message,
to=[SystemData.objects.all().first().admin_email]
)
mail.send()
并在models.py结束时放
from .notifications import *
或使用AppConfig的最新方法来注册信号(这是你的通知实际上做的事情)
请参阅:https://chriskief.com/2014/02/28/django-1-7-signals-appconfig/
当应用程序注册表准备就绪时,它将加载,并且您将避免循环导入,因此该行:
from .notifications import *
可以从models.py中删除
AppConfig可以更通用的方式使用,允许您导入类似的模型:
from django.apps import apps
Model = apps.get_model('app_name', 'Model')