5

我正在尝试从 URL 下载图像文件,然后将该图像分配给 Django ImageField。我已经按照这里的例子[这里](

我的模型,在相关部分,如下所示:

class Entity(models.Model):

     logo = models.ImageField(upload_to=_getLogoPath,null=True)

_getLogoPath 回调非常简单:

def _getLogoPath(self,filename):
    path = "logos/" + self.full_name
    return path

作为自定义 django-admin 命令的一部分,获取和保存图像文件的代码也很简单,我计划将其作为定期安排的 cron 作业运行:

...
img_url = "http://path.to.file/img.jpg"
img = urllib2.urlopen(img)
entity.logo.save(img_filename,img,True)
...

当我运行这个时,我得到这个错误:

AttributeError: addinfourl instance has no attribute 'chunks'

我也尝试添加read()到图像中,但导致了类似的错误。我也尝试将图像写入临时文件,然后尝试上传,但我得到了同样的错误。

4

1 回答 1

7

如果您阅读文档,您会看到第二个参数entity.logo.save需要是django.core.files.File

因此,要检索图像然后使用图像字段保存​​它,您需要执行以下操作。

from django.core.files import File

response = urllib2.urlopen("http://path.to.file/img.jpg")
with open('tmp_img', 'wb') as f:
    f.write(response.read())

with open('tmp_img', 'r') as f:
    image_file = File(f) 
    entity.logo.save(img_filename, img_file, True)
os.remove('tmp_img')

您从调用返回的对象urlopen不是图像本身。它的read方法将返回二进制图像数据。

于 2012-11-15T08:28:44.617 回答