3

不明白为什么它会起作用,所以我不能改变它:

ImageUploadField在表单中使用 Flask-Admin,该字段是这样的:

image = ImageUploadField(label='Optional image',
                         base_path=app.config['UPLOAD_FOLDER'],
                         relative_path=op.relpath(app.config['UPLOAD_FOLDER']),
                         endpoint='static'
                         )

endpoint='static'是默认值。

endpointflask_admin.ext.form.upload这种方式使用:

def get_url(self, field):
    if field.thumbnail_size:
        filename = field.thumbnail_fn(field.data)
    else:
        filename = field.data

    if field.url_relative_path:
        filename = urljoin(field.url_relative_path, filename)
    return url_for(field.endpoint, filename=filename)

所以它被传递给一个url_for()函数......

结果url_for()只是添加'static/'到文件名之前。如果我尝试设置

endpoint='some_string'

当然它会引发 a BuildError,但如果我尝试这样做:

#admin.py
class ProductForm(Form):
    order = IntegerField('order')
    name = TextField('name')
    category = SelectField('category', choices=[])
    image = ImageUploadField(label='Optional image',
                             base_path=app.config['UPLOAD_FOLDER'],
                             relative_path=op.relpath(app.config['UPLOAD_FOLDER']),
                             endpoint='dumb_f'
                             )
def dumb_f(str=''):
    return str

它也提高了BuildError,我猜dumb_f()是因为在upload.py.

为什么还url_for()有效?第一个参数不应该是函数的名称吗?我没有static命名方法,也没有upload.py

4

1 回答 1

4

Flask 为您提供static 端点

请注意,我在那里使用了端点一词;该url_for()函数采用端点名称,@app.route()装饰器默认使用函数名称作为端点名称,但绝不要求您使用函数名称。

您的代码不是唯一可以注册路由和端点的地方。Flask 应用程序static在您创建它时根据默认配置简单地注册。

查看Flask类定义源代码

# register the static folder for the application.  Do that even
# if the folder does not exist.  First of all it might be created
# while the server is running (usually happens during development)
# but also because google appengine stores static files somewhere
# else when mapped with the .yml file.
if self.has_static_folder:
    self.add_url_rule(self.static_url_path + '/<path:filename>',
                      endpoint='static',
                      view_func=self.send_static_file)

app.add_url_rule()方法也注册了一个路由,Flask 在endpoint这里明确指定了参数。

如果您想从不同的端点提供上传的图像,您必须自己注册一个。

于 2015-03-06T11:55:10.617 回答