image_search.py 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674
  1. import faiss
  2. import numpy as np
  3. from PIL import Image
  4. import io
  5. import os
  6. from typing import List, Tuple, Optional, Union
  7. import torch
  8. import torchvision.transforms as transforms
  9. import torchvision.models as models
  10. from torchvision.models import ResNet50_Weights
  11. from scipy import ndimage
  12. import torch.nn.functional as F
  13. from pymongo import MongoClient
  14. import datetime
  15. import time
  16. class ImageSearchEngine:
  17. def __init__(self):
  18. # 添加mongodb
  19. self.mongo_client = MongoClient("mongodb://root:faiss_image_search@localhost:27017/") # MongoDB 连接字符串
  20. self.mongo_db = self.mongo_client["faiss_index"] # 数据库名称
  21. self.mongo_collection = self.mongo_db["mat_vectors"] # 集合名称
  22. self.mongo_collection.create_index([("product_id", 1)], unique=True)
  23. self.mongo_collection.create_index([("faiss_id", 1)], unique=True)
  24. # 初始化一个id生成计数
  25. self.faiss_id_max = 0
  26. # 强制使用CPU设备
  27. self.device = torch.device("cpu")
  28. print(f"使用设备: {self.device}")
  29. # 定义基础预处理转换
  30. self.base_transform = transforms.Compose([
  31. transforms.Grayscale(num_output_channels=3), # 转换为灰度图但保持3通道
  32. transforms.ToTensor(),
  33. transforms.Normalize(mean=[0.485, 0.456, 0.406], std=[0.229, 0.224, 0.225])
  34. ])
  35. # 加载预训练的ResNet模型并保持全精度
  36. self.model = models.resnet50(weights=ResNet50_Weights.IMAGENET1K_V2)
  37. # 移除最后的全连接层
  38. self.model = torch.nn.Sequential(*list(self.model.children())[:-1])
  39. self.model = self.model.float().to(self.device).eval()
  40. # 初始化FAISS索引(2048是ResNet50的特征维度)
  41. self.dimension = 2048
  42. # self.index = faiss.IndexFlatL2(self.dimension)
  43. # 改为支持删除的索引
  44. base_index = faiss.IndexFlatL2(self.dimension)
  45. self.index = faiss.IndexIDMap(base_index)
  46. # 尝试加载现有索引,如果不存在则创建新索引
  47. if self._load_index():
  48. print("成功加载现有索引")
  49. def _batch_generator(self, cursor, batch_size):
  50. """从MongoDB游标中分批生成数据"""
  51. batch = []
  52. for doc in cursor:
  53. batch.append(doc)
  54. if len(batch) == batch_size:
  55. yield batch
  56. batch = []
  57. if batch:
  58. yield batch
  59. def _process_image(self, image_path: str) -> Optional[torch.Tensor]:
  60. """处理单张图片并提取特征。
  61. Args:
  62. image_path: 图片路径
  63. Returns:
  64. 处理后的特征向量,如果处理失败返回None
  65. """
  66. try:
  67. # 读取图片
  68. image = Image.open(image_path)
  69. # 确保图片是RGB模式
  70. if image.mode != 'RGB':
  71. image = image.convert('RGB')
  72. start_ms_time = time.time()
  73. # 提取多尺度特征
  74. multi_scale_features = self._extract_multi_scale_features(image)
  75. end_ms_time = time.time()
  76. print(f"提取多尺度特征耗时: { end_ms_time - start_ms_time } s",)
  77. if multi_scale_features is None:
  78. return None
  79. start_sw_time = time.time()
  80. # 提取滑动窗口特征
  81. sliding_window_features = self._extract_sliding_window_features(image)
  82. end_sw_time = time.time()
  83. print(f"提取滑动窗口耗时: { end_sw_time - start_sw_time } s",)
  84. if sliding_window_features is None:
  85. return None
  86. # 组合特征(加权平均)
  87. combined_feature = multi_scale_features * 0.6 + sliding_window_features * 0.4
  88. # 标准化特征
  89. combined_feature = F.normalize(combined_feature, p=2, dim=0)
  90. return combined_feature
  91. except Exception as e:
  92. print(f"处理图片时出错: {e}")
  93. return None
  94. def _extract_multi_scale_features(self, image: Image.Image) -> Optional[torch.Tensor]:
  95. """基于原图分辨率的多尺度特征提取(智能动态调整版)
  96. Args:
  97. image: PIL图片对象
  98. Returns:
  99. 多尺度特征向量,处理失败返回None
  100. """
  101. try:
  102. # 三重精度保障
  103. self.model = self.model.float()
  104. # 获取原图信息
  105. orig_w, orig_h = image.size
  106. max_edge = max(orig_w, orig_h)
  107. aspect_ratio = orig_w / orig_h
  108. # 动态调整策略 -------------------------------------------
  109. # 策略1:根据最大边长确定基准尺寸
  110. base_size = min(max_edge, 2048) # 最大尺寸限制
  111. # 策略2:自动生成窗口尺寸(等比数列)
  112. min_size = 224 # 最小特征尺寸
  113. num_scales = 3 # 采样点数
  114. scale_factors = np.logspace(0, 1, num_scales, base=2)
  115. window_sizes = [int(base_size * f) for f in scale_factors]
  116. window_sizes = sorted({min(max(s, min_size), 2048) for s in window_sizes})
  117. # 策略3:根据长宽比调整尺寸组合
  118. if aspect_ratio > 1.5: # 宽幅图像
  119. window_sizes = [int(s*aspect_ratio) for s in window_sizes]
  120. elif aspect_ratio < 0.67: # 竖幅图像
  121. window_sizes = [int(s/aspect_ratio) for s in window_sizes]
  122. # 预处理优化 --------------------------------------------
  123. # 选择最优基准尺寸(最接近原图尺寸的2的幂次)
  124. base_size = 2 ** int(np.log2(base_size))
  125. base_transform = transforms.Compose([
  126. transforms.Resize((base_size, base_size),
  127. interpolation=transforms.InterpolationMode.LANCZOS),
  128. self.base_transform
  129. ])
  130. #
  131. img_base = base_transform(image).unsqueeze(0).to(torch.float32).to(self.device)
  132. # 动态特征提取 ------------------------------------------
  133. features = []
  134. for size in window_sizes:
  135. # 保持长宽比的重采样
  136. target_size = (int(size*aspect_ratio), size) if aspect_ratio > 1 else (size, int(size/aspect_ratio))
  137. # CPU兼容的插值
  138. img_tensor = torch.nn.functional.interpolate(
  139. img_base,
  140. size=target_size,
  141. mode='bilinear',
  142. align_corners=False
  143. ).to(torch.float32)
  144. # 自适应归一化(保持原图统计特性)
  145. if hasattr(self, 'adaptive_normalize'):
  146. img_tensor = self.adaptive_normalize(img_tensor)
  147. # 混合精度推理
  148. with torch.no_grad():
  149. feature = self.model(img_tensor).to(torch.float32)
  150. features.append(feature.squeeze().float())
  151. # 动态权重分配 ------------------------------------------
  152. # 基于尺寸差异的权重(尺寸越接近原图权重越高)
  153. size_diffs = [abs(size - base_size) for size in window_sizes]
  154. weights = 1 / (torch.tensor(size_diffs, device=self.device) + 1e-6)
  155. weights = weights / weights.sum()
  156. # 加权融合
  157. final_feature = torch.stack([f * w for f, w in zip(features, weights)]).sum(dim=0)
  158. return final_feature
  159. except Exception as e:
  160. print(f"智能特征提取失败: {e}")
  161. return None
  162. def _extract_sliding_window_features(self, image: Image.Image) -> Optional[torch.Tensor]:
  163. """优化版滑动窗口特征提取(动态调整+批量处理)
  164. Args:
  165. image: PIL图片对象
  166. Returns:
  167. 滑动窗口特征向量,处理失败返回None
  168. """
  169. try:
  170. # 三重精度保障
  171. self.model = self.model.float()
  172. # 获取原图信息
  173. orig_w, orig_h = image.size
  174. aspect_ratio = orig_w / orig_h
  175. # 动态窗口配置 -------------------------------------------
  176. # 根据原图尺寸自动选择关键窗口尺寸(示例逻辑,需根据实际调整)
  177. max_dim = max(orig_w, orig_h)
  178. window_sizes = sorted({
  179. int(2 ** np.round(np.log2(max_dim * 0.1))), # 约10%尺寸
  180. int(2 ** np.floor(np.log2(max_dim * 0.5))), # 约50%尺寸
  181. int(2 ** np.ceil(np.log2(max_dim))) # 接近原图尺寸
  182. } & {256, 512, 1024, 2048}) # 与预设尺寸取交集
  183. # 智能步长调整(窗口尺寸越大步长越大)
  184. stride_ratios = {256:0.5, 512:0.4, 1024:0.3, 2048:0.2}
  185. # 预处理优化 --------------------------------------------
  186. # 生成基准图像(最大窗口尺寸)
  187. max_win_size = max(window_sizes)
  188. base_size = (int(max_win_size * aspect_ratio), max_win_size) if aspect_ratio > 1 else \
  189. (max_win_size, int(max_win_size / aspect_ratio))
  190. transform = transforms.Compose([
  191. transforms.Resize(base_size[::-1], interpolation=transforms.InterpolationMode.BILINEAR),
  192. self.base_transform
  193. ])
  194. base_img = transform(image).to(torch.float32).to(self.device)
  195. # 批量特征提取 ------------------------------------------
  196. all_features = []
  197. for win_size in window_sizes:
  198. # 动态步长选择
  199. stride = int(win_size * stride_ratios.get(win_size, 0.3))
  200. # 生成窗口坐标(考虑边缘填充)
  201. h, w = base_img.shape[1:]
  202. num_h = (h - win_size) // stride + 1
  203. num_w = (w - win_size) // stride + 1
  204. # 调整窗口数量上限(防止显存溢出)
  205. MAX_WINDOWS = 16 # 最大窗口数
  206. if num_h * num_w > MAX_WINDOWS:
  207. stride = int(np.sqrt(h * w * win_size**2 / MAX_WINDOWS))
  208. num_h = (h - win_size) // stride + 1
  209. num_w = (w - win_size) // stride + 1
  210. # 批量裁剪窗口
  211. windows = []
  212. for i in range(num_h):
  213. for j in range(num_w):
  214. top = i * stride
  215. left = j * stride
  216. window = base_img[:, top:top+win_size, left:left+win_size]
  217. windows.append(window)
  218. if not windows:
  219. continue
  220. # 批量处理(自动分块防止OOM)
  221. BATCH_SIZE = 4 # 批处理大小
  222. with torch.no_grad():
  223. for i in range(0, len(windows), BATCH_SIZE):
  224. batch = torch.stack(windows[i:i+BATCH_SIZE]).to(torch.float32)
  225. features = self.model(batch).to(torch.float32)
  226. all_features.append(features.cpu().float()) # 转移至CPU释放显存
  227. # 特征融合 ---------------------------------------------
  228. if not all_features:
  229. return None
  230. final_feature = torch.cat([f.view(-1, f.shape[-1]) for f in all_features], dim=0)
  231. final_feature = final_feature.mean(dim=0).to(self.device)
  232. return final_feature.float()
  233. except Exception as e:
  234. print(f"滑动窗口特征提取失败: {e}")
  235. return None
  236. def extract_features(self, img: Image.Image) -> np.ndarray:
  237. """结合多尺度和滑动窗口提取特征。
  238. Args:
  239. img: PIL图像对象
  240. Returns:
  241. 特征向量
  242. """
  243. try:
  244. # 提取多尺度特征
  245. multi_scale_features = self._extract_multi_scale_features(img)
  246. if multi_scale_features is None:
  247. raise ValueError("无法提取多尺度特征")
  248. # 提取滑动窗口特征
  249. sliding_window_features = self._extract_sliding_window_features(img)
  250. if sliding_window_features is None:
  251. raise ValueError("无法提取滑动窗口特征")
  252. # 组合特征
  253. combined_feature = multi_scale_features * 0.6 + sliding_window_features * 0.4
  254. # 标准化特征
  255. combined_feature = F.normalize(combined_feature, p=2, dim=0)
  256. # 转换为numpy数组
  257. return combined_feature.cpu().numpy()
  258. except Exception as e:
  259. print(f"特征提取失败: {e}")
  260. raise
  261. def add_image_from_url(self, image_path: str, product_id: str) -> bool:
  262. """从URL添加图片到索引。
  263. Args:
  264. url: 图片URL
  265. product_id: 图片对应的商品ID
  266. Returns:
  267. 添加成功返回True,失败返回False
  268. """
  269. try:
  270. # 使用原有的特征提取逻辑
  271. feature = self._process_image(image_path)
  272. if feature is None:
  273. print("无法提取特征")
  274. return False
  275. # 转换为numpy数组并添加到索引
  276. feature_np = feature.cpu().numpy().reshape(1, -1).astype('float32')
  277. idx = self.faiss_id_max + 1
  278. print(f"当前: idx { idx }")
  279. if not isinstance(idx, int) or idx <= 0:
  280. print("ID生成失败")
  281. return False
  282. self.faiss_id_max = idx
  283. # 向数据库写入记录
  284. record = {
  285. "faiss_id": idx,
  286. "product_id": product_id,
  287. "vector": feature_np.flatten().tolist(), # 将numpy数组转为列表
  288. "created_at": datetime.datetime.utcnow() # 记录创建时间
  289. }
  290. self.mongo_collection.insert_one(record)
  291. # 为向量设置ID并添加到Faiss索引
  292. self.index.add_with_ids(feature_np, np.array([idx], dtype='int64'))
  293. print(f"已添加图片: product_id: {product_id}, faiss_id: {idx}")
  294. return True
  295. except Exception as e:
  296. print(f"添加图片时出错: {e}")
  297. return False
  298. def get_product_id_by_faiss_id(self, faiss_id: int) -> Optional[str]:
  299. """根据 faiss_id 查找 MongoDB 中的 product_id。
  300. Args:
  301. faiss_id: Faiss 索引中的 ID
  302. Returns:
  303. 对应的 product_id,如果未找到则返回 None
  304. """
  305. try:
  306. faiss_id = int(faiss_id)
  307. # 检查 faiss_id 是否有效
  308. if faiss_id < 0:
  309. print(f"无效的 faiss_id: {faiss_id}")
  310. return None
  311. # 查询 MongoDB
  312. query = {"faiss_id": faiss_id}
  313. record = self.mongo_collection.find_one(query)
  314. # 检查是否找到记录
  315. if record is None:
  316. print(f"未找到 faiss_id 为 {faiss_id} 的记录")
  317. return None
  318. # 返回 product_id
  319. product_id = record.get("product_id")
  320. if product_id is None:
  321. print(f"记录中缺少 product_id 字段: {record}")
  322. return None
  323. return str(product_id) # 确保返回字符串类型
  324. except Exception as e:
  325. print(f"查询 faiss_id 为 {faiss_id} 的记录时出错: {e}")
  326. return None
  327. def search(self, image_path: str = None, top_k: int = 5) -> List[Tuple[str, float]]:
  328. try:
  329. if image_path is None:
  330. print("搜索图片下载失败!")
  331. return []
  332. feature = self._process_image(image_path)
  333. if feature is None:
  334. print("无法提取查询图片的特征")
  335. return []
  336. # 将特征转换为numpy数组
  337. feature_np = feature.cpu().numpy().reshape(1, -1).astype('float32')
  338. start_vector_time = time.time()
  339. # 搜索最相似的图片
  340. distances, indices = self.index.search(feature_np, min(top_k, self.index.ntotal))
  341. end_vector_time = time.time()
  342. print(f"搜索vector耗时: {end_vector_time - start_vector_time}")
  343. start_other_time = time.time()
  344. # 返回结果
  345. results = []
  346. for faiss_id, dist in zip(indices[0], distances[0]):
  347. if faiss_id == -1: # Faiss返回-1表示无效结果
  348. continue
  349. # 将距离转换为相似度分数(0-1之间,1表示完全相似)
  350. similarity = 1.0 / (1.0 + dist)
  351. # 根据faiss_id获取product_id
  352. print(f"搜索结果->faiss_id: { faiss_id }")
  353. product_id = self.get_product_id_by_faiss_id(faiss_id)
  354. if product_id:
  355. results.append((product_id, similarity))
  356. end_other_time = time.time()
  357. print(f"查询结果耗时: {end_other_time - start_other_time}")
  358. return results
  359. except Exception as e:
  360. print(f"搜索图片时出错: {e}")
  361. return []
  362. def _load_index(self) -> bool:
  363. """从数据库分批加载数据并初始化faiss_id_max"""
  364. try:
  365. # 配置参数
  366. BATCH_SIZE = 10000
  367. # 获取文档总数
  368. total_docs = self.mongo_collection.count_documents({})
  369. if total_docs == 0:
  370. print("数据库为空,跳过索引加载")
  371. return True # 空数据库不算错误
  372. # 用于跟踪最大ID(兼容空数据情况)
  373. max_faiss_id = -1
  374. # 分批加载数据
  375. cursor = self.mongo_collection.find({}).batch_size(BATCH_SIZE)
  376. for batch in self._batch_generator(cursor, BATCH_SIZE):
  377. # 处理批次数据
  378. batch_vectors = []
  379. batch_ids = []
  380. current_max = -1
  381. for doc in batch:
  382. try:
  383. # 数据校验
  384. if len(doc['vector']) != self.dimension:
  385. continue
  386. if not isinstance(doc['faiss_id'], int):
  387. continue
  388. # 提取数据
  389. faiss_id = int(doc['faiss_id'])
  390. vector = doc['vector']
  391. print(f"load faiss_id :{ faiss_id }")
  392. # 更新最大值
  393. if faiss_id > current_max:
  394. current_max = faiss_id
  395. # 收集数据
  396. batch_vectors.append(vector)
  397. batch_ids.append(faiss_id)
  398. except Exception as e:
  399. print(f"文档处理异常: {str(e)}")
  400. continue
  401. # 批量添加到索引
  402. if batch_vectors:
  403. vectors_np = np.array(batch_vectors, dtype='float32')
  404. ids_np = np.array(batch_ids, dtype='int64')
  405. self.index.add_with_ids(vectors_np, ids_np)
  406. # 更新全局最大值
  407. if current_max > max_faiss_id:
  408. max_faiss_id = current_max
  409. print(f"向量总数: {self.index.ntotal}")
  410. # 设置初始值(如果已有更大值则保留)
  411. if max_faiss_id != -1:
  412. new_id = max_faiss_id
  413. self.faiss_id_max = new_id
  414. print(f"ID计数器初始化完成,当前值: {new_id}")
  415. return True
  416. except Exception as e:
  417. print(f"索引加载失败: {str(e)}")
  418. return False
  419. def clear(self) -> bool:
  420. """清除所有索引和 MongoDB 中的记录。
  421. Returns:
  422. 清除成功返回 True,失败返回 False
  423. """
  424. try:
  425. # 检查索引是否支持重置操作
  426. if not hasattr(self.index, "reset"):
  427. print("当前索引不支持重置操作")
  428. return False
  429. # 重置 Faiss 索引
  430. self.index.reset()
  431. print("已清除 Faiss 索引中的所有向量")
  432. # 删除 MongoDB 中的所有记录
  433. result = self.mongo_collection.delete_many({})
  434. print(f"已从 MongoDB 中删除 {result.deleted_count} 条记录")
  435. self.faiss_id_max = 0
  436. return True
  437. except Exception as e:
  438. print(f"清除索引时出错: {e}")
  439. return False
  440. def remove_image(self, image_path: str) -> bool:
  441. """从索引中移除指定图片。
  442. Args:
  443. image_path: 要移除的图片路径
  444. Returns:
  445. 是否成功移除
  446. """
  447. try:
  448. if image_path in self.image_paths:
  449. idx = self.image_paths.index(image_path)
  450. # 创建新的索引
  451. new_index = faiss.IndexFlatL2(self.dimension)
  452. # 获取所有特征
  453. all_features = faiss.vector_to_array(self.index.get_xb()).reshape(-1, self.dimension)
  454. # 移除指定图片的特征
  455. mask = np.ones(len(self.image_paths), dtype=bool)
  456. mask[idx] = False
  457. filtered_features = all_features[mask]
  458. # 更新索引
  459. if len(filtered_features) > 0:
  460. new_index.add(filtered_features)
  461. # 更新图片路径列表
  462. self.image_paths.pop(idx)
  463. self.product_ids.pop(idx)
  464. # 更新索引
  465. self.index = new_index
  466. # 保存更改
  467. self._save_index()
  468. print(f"已移除图片: {image_path}")
  469. return True
  470. else:
  471. print(f"图片不存在: {image_path}")
  472. return False
  473. except Exception as e:
  474. print(f"移除图片时出错: {e}")
  475. return False
  476. def remove_by_product_id(self, product_id: str) -> bool:
  477. """通过 product_id 删除向量索引和数据库记录。
  478. Args:
  479. product_id: 要删除的商品 ID
  480. Returns:
  481. 删除成功返回 True,失败返回 False
  482. """
  483. try:
  484. # 检查 product_id 是否有效
  485. if not product_id or not isinstance(product_id, str):
  486. print(f"无效的 product_id: {product_id}")
  487. return False
  488. # 查询 MongoDB 获取 faiss_id
  489. query = {"product_id": product_id}
  490. record = self.mongo_collection.find_one(query)
  491. # 检查是否找到记录
  492. if record is None:
  493. print(f"未找到 product_id 为 {product_id} 的记录")
  494. return False
  495. # 提取 faiss_id
  496. faiss_id = record.get("faiss_id")
  497. if faiss_id is None:
  498. print(f"记录中缺少 faiss_id 字段: {record}")
  499. return False
  500. # 删除 Faiss 索引中的向量
  501. if isinstance(self.index, faiss.IndexIDMap):
  502. # 检查 faiss_id 是否在索引中
  503. # ids = self.index.id_map.at(1) # 获取所有 ID
  504. # if faiss_id not in ids:
  505. # print(f"faiss_id {faiss_id} 不在索引中")
  506. # return False
  507. # 删除向量
  508. self.index.remove_ids(np.array([faiss_id], dtype='int64'))
  509. print(f"已从 Faiss 索引中删除 faiss_id: {faiss_id}")
  510. else:
  511. print("当前索引不支持删除操作")
  512. return False
  513. # 删除 MongoDB 中的记录
  514. result = self.mongo_collection.delete_one({"faiss_id": faiss_id})
  515. if result.deleted_count == 1:
  516. print(f"已从 MongoDB 中删除 faiss_id: {faiss_id}")
  517. return True
  518. else:
  519. print(f"未找到 faiss_id 为 {faiss_id} 的记录")
  520. return False
  521. except Exception as e:
  522. print(f"删除 product_id 为 {product_id} 的记录时出错: {e}")
  523. return False
  524. def get_index_size(self) -> int:
  525. """获取索引中的图片数量。
  526. Returns:
  527. 索引中的图片数量
  528. """
  529. return len(self.image_paths)