首先你需要一个模型
class Vehicle(models.Model):_name = 'vehicle'image = fields.Binary(string="图片", attachment=True)
编写图片访问接口
@http.route('/vehicle/image/<int:vehicle_id>', type='http', auth='public')def vehicle_image(self, vehicle_id, **kwargs):vehicle = request.env['vehicle'].sudo().browse(vehicle_id)if vehicle and vehicle.image:image_data = base64.b64decode(vehicle.image)headers = [('Content-Type', 'image/png'), ('Content-Length', len(image_data))]return request.make_response(image_data, headers)else:return request.not_found()
注意,这里需要加上Content-Type
,才能被正常识别为图片,以及必要的Content-Length
字段。
然后编写上传接口
@http.route('/create_vehicle', type='http', auth='public', methods=['POST'], csrf=False,website=True)def create_vehicle(self, **kwargs):values = {key: kwargs[key] for key in kwargs}# Check if 'image' is in the uploaded filesif 'image' in request.httprequest.files:image_file = request.httprequest.files['image']image_data = image_file.read()# Encode the image to base64values['image'] = base64.b64encode(image_data)new_vehicle = request.env['vehicle'].sudo().create(values)# Generate image URL# image_url = '/vehicle/image/%s' % new_vehicle.id# Update the vehicle record with the image URL# new_vehicle.sudo().write({'image_url': image_url})return json.dumps({'id': new_vehicle.id})
编写查询接口
@http.route('/read_vehicle/<int:vehicle_id>', type='http', auth='public', methods=['GET'], csrf=False)def read_vehicle(self, vehicle_id):vehicle = request.env['vehicle'].sudo().browse(vehicle_id)if not vehicle.exists():return http.Response(json.dumps({'error': 'Vehicle not found'}), status=404, mimetype='application/json')context = {'image_url':''}context.update(vehicle.read()[0])del context['image']# Generate image URLcontext['image_url'] = '/vehicle/image/%s' % vehicle_idreturn http.Response(json.dumps(context), mimetype='application/json')
上述代码中,删除了context['image']
,因为模型中的image
字段是base64格式的,如果直接返回,则会看到有很多字符组成的base64
编码,而我们只是想要一个外部访问链接。