9

我想在项目中将图像从一个模型复制到另一个模型。假设这些是我的模型:

class BackgroundImage(models.Model):
    user = models.ForeignKey(User)
    image = models.ImageField(upload_to=get_upload_file_name)
    caption = models.CharField(max_length=200)
    pub_date = models.DateTimeField(default=datetime.now)


class ProfilePicture(models.Model):
    user = models.ForeignKey(User)
    image = models.ImageField(upload_to=get_upload_file_name)
    caption = models.CharField(max_length=200)
    pub_date = models.DateTimeField(default=datetime.now)

    @classmethod
        def create_from_bg(cls, bg_img):
            img = cls(user=bg_img.user, image=bg_img.image, caption=bg_img.caption+'_copy', pub_date=bg_img.pub_date)
            img.save()
            return img

现在,我可以做到这些:

获取用户

>>>m = User.objects.get(username='m')

获取用户头像集

>>>m_pro_set = m.profilepicture_set.all()
>>>m_pro_set
[<ProfilePicture: pro_mik>]

从用户的背景图像中获取图像对象

>>>m_back_1 = m.backgroundimage_set.get(id=2)
>>>m_back_1
<BackgroundImage: bg_mik>

接着:

>>>profile_pic = ProfilePicture.create_from_bg(m_back_1)

现在当我检查它时,它确实创建了一个新实例。

>>>m_pro_set
[<ProfilePicture: pro_mik>,<ProfilePicture: bg_mik>]

但是,如果我检查路径,甚至是媒体文件夹,它是相同的图像,而不是图像文件的实际副本。

>>>profile_pic.image
<ImageFileField: uploaded_files/1389904144_ken.jpg>
>>>m_back_1.image
<ImageFileField: uploaded_files/1389904144_ken.jpg>

我该如何去实际复制file模型中的原始图像?任何帮助都感激不尽!谢谢你。

4

2 回答 2

15

所以我知道这个问题已经很老了,但希望这个答案对某人有所帮助......

我这样做的方法是将照片上传到建议模型的正确路径,是:

from django.core.files.base import ContentFile

picture_copy = ContentFile(original_instance.image.read())
new_picture_name = original_instance.image.name.split("/")[-1]
new_instance.image.save(new_picture_name, picture_copy)

请检查在我的情况下,新名称只是相同的文件名,但要在新模型图像字段的路径中更新。在您的情况下,根据您在“get_upload_file_name”中的内容,它可能会再次导致相同的路径(因为在两个类中都使用了)。您也可以创建一个新的随机名称。

希望这可以帮助某人=)

于 2016-06-16T18:58:13.730 回答
2
  • 最佳和简短的解决方案是
existing_instance = YourModel.objects.get(pk=1)
new_instance.image = existing_instance.image

这对我来说很好。

于 2020-05-24T11:17:33.590 回答