app.py 6.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184
  1. from flask import Flask, request, jsonify, render_template, send_from_directory
  2. import os
  3. from image_search import ImageSearchEngine
  4. import magic
  5. from urllib.request import urlretrieve
  6. import time
  7. app = Flask(__name__)
  8. # 配置常量
  9. UPLOAD_FOLDER = 'static/images'
  10. ALLOWED_EXTENSIONS = {'png', 'jpg', 'jpeg', 'gif', 'bmp'}
  11. # 搜索参数默认值
  12. TOP_K = 5 # 默认返回的最大结果数
  13. MIN_SCORE = 0.0 # 默认最小相似度分数
  14. MAX_SCORE = 100.0 # 默认最大相似度分数
  15. os.makedirs(UPLOAD_FOLDER, exist_ok=True)
  16. # 初始化图像搜索引擎
  17. search_engine = ImageSearchEngine()
  18. def allowed_file(filename):
  19. """检查文件是否允许上传"""
  20. return '.' in filename and filename.rsplit('.', 1)[1].lower() in ALLOWED_EXTENSIONS
  21. def is_valid_image(file_path):
  22. """检查文件是否为有效的图片文件"""
  23. try:
  24. mime = magic.Magic(mime=True)
  25. file_type = mime.from_file(file_path)
  26. return file_type.startswith('image/')
  27. except Exception:
  28. return False
  29. @app.route('/')
  30. def index():
  31. """渲染主页"""
  32. return render_template('index.html')
  33. @app.route('/upload', methods=['POST'])
  34. def upload_file():
  35. """处理图片上传请求"""
  36. try:
  37. # 获取并验证参数
  38. data = request.get_json()
  39. if not data:
  40. return jsonify({'error': '请求必须包含JSON数据'}), 400
  41. product_id = data.get('product_id')
  42. image_url = data.get('url')
  43. if not product_id:
  44. return jsonify({'error': '缺少product_id参数'}), 400
  45. if not image_url:
  46. return jsonify({'error': '缺少url参数'}), 400
  47. if not isinstance(image_url, str) or not (image_url.startswith('http://') or image_url.startswith('https://')):
  48. return jsonify({'error': '无效的图片URL'}), 400
  49. time_base = str(time.time() * 1000)
  50. image_path = os.path.join(UPLOAD_FOLDER, time_base + os.path.basename(image_url))
  51. urlretrieve(image_url, image_path)
  52. if allowed_file(image_path) and is_valid_image(image_path):
  53. # 添加图片到搜索引擎
  54. if search_engine.add_image_from_url(image_path, product_id):
  55. # 删除临时图片文件
  56. os.remove(image_path)
  57. return jsonify({'message': '上传成功', 'product_id': product_id})
  58. else:
  59. return jsonify({'error': '处理图片失败'}), 500
  60. else:
  61. return jsonify({'error': '图片错误'}), 500
  62. except Exception as e:
  63. return jsonify({'error': str(e)}), 500
  64. @app.route('/search', methods=['POST'])
  65. def search():
  66. """处理图片搜索请求"""
  67. try:
  68. # 获取并验证参数
  69. data = request.get_json()
  70. if not data:
  71. return jsonify({'error': '请求必须包含JSON数据'}), 400
  72. image_url = data.get('url')
  73. if not image_url:
  74. return jsonify({'error': '缺少url参数'}), 400
  75. if not isinstance(image_url, str) or not (image_url.startswith('http://') or image_url.startswith('https://')):
  76. return jsonify({'error': '无效的图片URL'}), 400
  77. # 获取可选参数
  78. limit = data.get('limit', TOP_K)
  79. min_score = data.get('min_score', MIN_SCORE)
  80. max_score = data.get('max_score', MAX_SCORE)
  81. # 验证参数类型和范围
  82. try:
  83. limit = int(limit)
  84. min_score = float(min_score)
  85. max_score = float(max_score)
  86. if limit <= 0:
  87. return jsonify({'error': 'limit必须大于0'}), 400
  88. if min_score < 0 or min_score > 100:
  89. return jsonify({'error': 'min_score必须在0到100之间'}), 400
  90. if max_score < 0 or max_score > 100:
  91. return jsonify({'error': 'max_score必须在0到100之间'}), 400
  92. if min_score > max_score:
  93. return jsonify({'error': 'min_score不能大于max_score'}), 400
  94. except ValueError:
  95. return jsonify({'error': '参数类型错误'}), 400
  96. start_download_time = time.time()
  97. time_base = str(time.time() * 1000)
  98. image_path = os.path.join(UPLOAD_FOLDER, time_base + os.path.basename(image_url))
  99. urlretrieve(image_url, image_path)
  100. end_download_time = time.time()
  101. print(f"下载耗时: { end_download_time - start_download_time } s",)
  102. if allowed_file(image_path) and is_valid_image(image_path):
  103. # 搜索相似图片,使用用户指定的 limit
  104. start_search_time = time.time()
  105. results = search_engine.search(image_path, top_k=limit)
  106. os.remove(image_path)
  107. # 格式化结果并过滤不在分数范围内的结果
  108. formatted_results = []
  109. for product_id, score in results:
  110. similarity = round(score * 100, 2) # 转换为百分比
  111. if min_score <= similarity <= max_score:
  112. formatted_results.append({
  113. 'product_id': product_id,
  114. 'similarity': similarity
  115. })
  116. end_search_time = time.time()
  117. print(f"搜索耗时: { end_search_time - start_search_time } s",)
  118. return jsonify({'results': formatted_results})
  119. else:
  120. return jsonify({'error': '图片错误'})
  121. except Exception as e:
  122. return jsonify({'error': str(e)}), 500
  123. # @app.route('/images')
  124. # def list_images():
  125. # """列出所有已索引的图片"""
  126. # try:
  127. # images = []
  128. # for path in search_engine.image_paths:
  129. # filename = os.path.basename(path)
  130. # images.append({
  131. # 'filename': filename,
  132. # 'path': '/static/images/' + filename
  133. # })
  134. # return jsonify({'images': images})
  135. # except Exception as e:
  136. # return jsonify({'error': str(e)}), 500
  137. @app.route('/remove/<product_id>', methods=['POST'])
  138. def remove_image(product_id):
  139. """移除指定商品ID的图片特征"""
  140. try:
  141. # 从索引中移除
  142. if search_engine.remove_by_product_id(product_id):
  143. return jsonify({'message': '删除成功', 'product_id': product_id})
  144. else:
  145. return jsonify({'error': '商品ID不存在或删除失败'}), 404
  146. except Exception as e:
  147. return jsonify({'error': str(e)}), 500
  148. @app.route('/clear/<password>', methods=['POST'])
  149. def clear_index(password):
  150. """清空索引"""
  151. if password == "infish@2025":
  152. try:
  153. search_engine.clear()
  154. except Exception as e:
  155. return jsonify({'error': str(e)}), 500
  156. if __name__ == '__main__':
  157. app.run(host='0.0.0.0', port=5000, debug=False)