Blame view

api/routes/search.py 17 KB
be52af70   tangwang   first commit
1
2
3
4
  """
  Search API routes.
  """
  
16c42787   tangwang   feat: implement r...
5
  from fastapi import APIRouter, HTTPException, Query, Request
be52af70   tangwang   first commit
6
  from typing import Optional
16c42787   tangwang   feat: implement r...
7
  import uuid
28e57bb1   tangwang   日志体系优化
8
9
10
  import hashlib
  import json
  import logging
be52af70   tangwang   first commit
11
12
13
14
15
  
  from ..models import (
      SearchRequest,
      ImageSearchRequest,
      SearchResponse,
6aa246be   tangwang   问题:Pydantic 应该能自动...
16
      SearchSuggestResponse,
be52af70   tangwang   first commit
17
18
19
      DocumentResponse,
      ErrorResponse
  )
16c42787   tangwang   feat: implement r...
20
  from context.request_context import create_request_context, set_current_request_context, clear_current_request_context
985752f5   tangwang   1. 前端调试功能
21
  from indexer.mapping_generator import get_tenant_index_name
be52af70   tangwang   first commit
22
23
  
  router = APIRouter(prefix="/search", tags=["search"])
28e57bb1   tangwang   日志体系优化
24
25
26
27
28
29
30
31
32
  backend_verbose_logger = logging.getLogger("backend.verbose")
  
  
  def _log_backend_verbose(payload: dict) -> None:
      if not backend_verbose_logger.handlers:
          return
      backend_verbose_logger.info(
          json.dumps(payload, ensure_ascii=False, separators=(",", ":"))
      )
be52af70   tangwang   first commit
33
34
  
  
16c42787   tangwang   feat: implement r...
35
36
37
38
39
  def extract_request_info(request: Request) -> tuple[str, str]:
      """Extract request ID and user ID from HTTP request"""
      # Try to get request ID from headers
      reqid = request.headers.get('X-Request-ID') or str(uuid.uuid4())[:8]
  
99bea633   tangwang   add logs
40
41
      # Try to get user ID from headers; if not found, use "-1" for correlation
      uid = request.headers.get('X-User-ID') or request.headers.get('User-ID') or "-1"
16c42787   tangwang   feat: implement r...
42
43
44
45
  
      return reqid, uid
  
  
be52af70   tangwang   first commit
46
  @router.post("/", response_model=SearchResponse)
16c42787   tangwang   feat: implement r...
47
  async def search(request: SearchRequest, http_request: Request):
be52af70   tangwang   first commit
48
      """
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
49
      Execute text search query (外部友好格式).
be52af70   tangwang   first commit
50
51
52
  
      Supports:
      - Multi-language query processing
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
53
      - Unified text retrieval strategy (no boolean AST parsing)
be52af70   tangwang   first commit
54
55
      - Semantic search with embeddings
      - Custom ranking functions
6aa246be   tangwang   问题:Pydantic 应该能自动...
56
57
      - Exact match filters and range filters
      - Faceted search
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
58
59
      
      Requires tenant_id in header (X-Tenant-ID) or query parameter (tenant_id).
be52af70   tangwang   first commit
60
      """
16c42787   tangwang   feat: implement r...
61
62
      reqid, uid = extract_request_info(http_request)
  
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
      # Extract tenant_id (required)
      tenant_id = http_request.headers.get('X-Tenant-ID')
      if not tenant_id:
          # Try to get from query string
          from urllib.parse import parse_qs
          query_string = http_request.url.query
          if query_string:
              params = parse_qs(query_string)
              tenant_id = params.get('tenant_id', [None])[0]
      
      if not tenant_id:
          raise HTTPException(
              status_code=400,
              detail="tenant_id is required. Provide it via header 'X-Tenant-ID' or query parameter 'tenant_id'"
          )
  
16c42787   tangwang   feat: implement r...
79
80
81
82
83
      # Create request context
      context = create_request_context(reqid=reqid, uid=uid)
  
      # Set context in thread-local storage
      set_current_request_context(context)
be52af70   tangwang   first commit
84
85
  
      try:
99bea633   tangwang   add logs
86
87
88
          # Log request start (English logs, with key search parameters)
          client_ip = http_request.client.host if http_request.client else "unknown"
          user_agent = http_request.headers.get("User-Agent", "unknown")[:200]
16c42787   tangwang   feat: implement r...
89
          context.logger.info(
99bea633   tangwang   add logs
90
91
92
93
94
95
96
97
98
99
              "Received search request | "
              f"Tenant: {tenant_id} | "
              f"Query: {request.query} | "
              f"IP: {client_ip} | "
              f"User agent: {user_agent} | "
              f"size: {request.size} | from: {request.from_} | "
              f"sort_by: {request.sort_by} | sort_order: {request.sort_order} | "
              f"min_score: {request.min_score} | "
              f"language: {request.language} | "
              f"debug: {request.debug} | "
ff32d894   tangwang   rerank
100
101
102
              f"enable_rerank: {request.enable_rerank} | "
              f"rerank_query_template: {request.rerank_query_template} | "
              f"rerank_doc_template: {request.rerank_doc_template} | "
99bea633   tangwang   add logs
103
104
105
106
              f"sku_filter_dimension: {request.sku_filter_dimension} | "
              f"filters: {request.filters} | "
              f"range_filters: {request.range_filters} | "
              f"facets: {request.facets}",
16c42787   tangwang   feat: implement r...
107
108
109
              extra={'reqid': context.reqid, 'uid': context.uid}
          )
  
be52af70   tangwang   first commit
110
          # Get searcher from app state
bb3c5ef8   tangwang   灌入数据流程跑通
111
          from api.app import get_searcher
be52af70   tangwang   first commit
112
113
          searcher = get_searcher()
  
16c42787   tangwang   feat: implement r...
114
          # Execute search with context (using backend defaults from config)
be52af70   tangwang   first commit
115
116
          result = searcher.search(
              query=request.query,
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
117
              tenant_id=tenant_id,
be52af70   tangwang   first commit
118
119
120
              size=request.size,
              from_=request.from_,
              filters=request.filters,
6aa246be   tangwang   问题:Pydantic 应该能自动...
121
122
              range_filters=request.range_filters,
              facets=request.facets,
16c42787   tangwang   feat: implement r...
123
              min_score=request.min_score,
c86c8237   tangwang   支持聚合。过滤项补充了逻辑,但是有问题
124
              context=context,
c86c8237   tangwang   支持聚合。过滤项补充了逻辑,但是有问题
125
              sort_by=request.sort_by,
1f071951   tangwang   补充调试信息,记录包括各个阶段的 ...
126
              sort_order=request.sort_order,
577ec972   tangwang   返回给前端的字段、格式适配。主要包...
127
128
              debug=request.debug,
              language=request.language,
ca91352a   tangwang   更新文档
129
              sku_filter_dimension=request.sku_filter_dimension,
ff32d894   tangwang   rerank
130
131
132
              enable_rerank=request.enable_rerank,
              rerank_query_template=request.rerank_query_template,
              rerank_doc_template=request.rerank_doc_template,
be52af70   tangwang   first commit
133
134
          )
  
16c42787   tangwang   feat: implement r...
135
136
          # Include performance summary in response
          performance_summary = context.get_summary() if context else None
5f7d7f09   tangwang   性能测试报告.md
137
138
139
140
141
142
143
144
145
146
          stage_timings = {
              k: round(v, 2) for k, v in context.performance_metrics.stage_timings.items()
          }
          total_ms = round(float(context.performance_metrics.total_duration or result.took_ms), 2)
          context.logger.info(
              "Before response | total_ms: %s | stage_timings_ms: %s",
              total_ms,
              stage_timings,
              extra={'reqid': context.reqid, 'uid': context.uid}
          )
16c42787   tangwang   feat: implement r...
147
  
be52af70   tangwang   first commit
148
          # Convert to response model
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
149
          response = SearchResponse(
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
150
              results=result.results,
be52af70   tangwang   first commit
151
152
153
              total=result.total,
              max_score=result.max_score,
              took_ms=result.took_ms,
6aa246be   tangwang   问题:Pydantic 应该能自动...
154
              facets=result.facets,
16c42787   tangwang   feat: implement r...
155
              query_info=result.query_info,
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
156
157
              suggestions=result.suggestions,
              related_searches=result.related_searches,
1f071951   tangwang   补充调试信息,记录包括各个阶段的 ...
158
159
              performance_info=performance_summary,
              debug_info=result.debug_info
be52af70   tangwang   first commit
160
161
          )
  
28e57bb1   tangwang   日志体系优化
162
163
164
165
166
          response_payload = response.model_dump(mode="json")
          response_json = json.dumps(response_payload, ensure_ascii=False, separators=(",", ":"))
          response_digest = hashlib.sha256(response_json.encode("utf-8")).hexdigest()[:16]
          max_score = float(response.max_score or 0.0)
  
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
167
          context.logger.info(
28e57bb1   tangwang   日志体系优化
168
169
170
171
172
173
              "Search response | Total results: %s | Max score: %.4f | Time: %sms | payload_size: %s chars | digest: %s",
              response.total,
              max_score,
              response.took_ms,
              len(response_json),
              response_digest,
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
174
175
              extra={'reqid': context.reqid, 'uid': context.uid}
          )
28e57bb1   tangwang   日志体系优化
176
177
178
179
180
181
182
183
184
185
186
187
          _log_backend_verbose({
              "event": "search_response",
              "reqid": context.reqid,
              "uid": context.uid,
              "tenant_id": tenant_id,
              "total_results": response.total,
              "max_score": max_score,
              "took_ms": response.took_ms,
              "payload_size_chars": len(response_json),
              "sha256_16": response_digest,
              "response": response_payload,
          })
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
188
189
190
  
          return response
  
be52af70   tangwang   first commit
191
      except Exception as e:
16c42787   tangwang   feat: implement r...
192
193
194
195
          # Log error in context
          if context:
              context.set_error(e)
              context.logger.error(
99bea633   tangwang   add logs
196
                  f"Search request failed | error: {str(e)}",
16c42787   tangwang   feat: implement r...
197
198
                  extra={'reqid': context.reqid, 'uid': context.uid}
              )
be52af70   tangwang   first commit
199
          raise HTTPException(status_code=500, detail=str(e))
16c42787   tangwang   feat: implement r...
200
201
202
      finally:
          # Clear thread-local context
          clear_current_request_context()
be52af70   tangwang   first commit
203
204
205
  
  
  @router.post("/image", response_model=SearchResponse)
16c42787   tangwang   feat: implement r...
206
  async def search_by_image(request: ImageSearchRequest, http_request: Request):
be52af70   tangwang   first commit
207
      """
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
208
      Search by image similarity (外部友好格式).
be52af70   tangwang   first commit
209
210
  
      Uses image embeddings to find visually similar products.
6aa246be   tangwang   问题:Pydantic 应该能自动...
211
      Supports exact match filters and range filters.
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
212
213
      
      Requires tenant_id in header (X-Tenant-ID) or query parameter (tenant_id).
be52af70   tangwang   first commit
214
      """
16c42787   tangwang   feat: implement r...
215
216
      reqid, uid = extract_request_info(http_request)
  
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
      # Extract tenant_id (required)
      tenant_id = http_request.headers.get('X-Tenant-ID')
      if not tenant_id:
          from urllib.parse import parse_qs
          query_string = http_request.url.query
          if query_string:
              params = parse_qs(query_string)
              tenant_id = params.get('tenant_id', [None])[0]
      
      if not tenant_id:
          raise HTTPException(
              status_code=400,
              detail="tenant_id is required. Provide it via header 'X-Tenant-ID' or query parameter 'tenant_id'"
          )
  
16c42787   tangwang   feat: implement r...
232
233
234
235
236
237
      # Create request context
      context = create_request_context(reqid=reqid, uid=uid)
  
      # Set context in thread-local storage
      set_current_request_context(context)
  
be52af70   tangwang   first commit
238
      try:
99bea633   tangwang   add logs
239
240
          # Log request start for image search (English)
          client_ip = http_request.client.host if http_request.client else "unknown"
16c42787   tangwang   feat: implement r...
241
          context.logger.info(
99bea633   tangwang   add logs
242
243
244
245
              "Received image search request | "
              f"Tenant: {tenant_id} | "
              f"Image URL: {request.image_url} | "
              f"IP: {client_ip}",
16c42787   tangwang   feat: implement r...
246
247
248
              extra={'reqid': context.reqid, 'uid': context.uid}
          )
  
bb3c5ef8   tangwang   灌入数据流程跑通
249
          from api.app import get_searcher
be52af70   tangwang   first commit
250
251
252
253
254
          searcher = get_searcher()
  
          # Execute image search
          result = searcher.search_by_image(
              image_url=request.image_url,
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
255
              tenant_id=tenant_id,
be52af70   tangwang   first commit
256
              size=request.size,
6aa246be   tangwang   问题:Pydantic 应该能自动...
257
258
              filters=request.filters,
              range_filters=request.range_filters
be52af70   tangwang   first commit
259
260
          )
  
16c42787   tangwang   feat: implement r...
261
262
263
          # Include performance summary in response
          performance_summary = context.get_summary() if context else None
  
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
264
          response = SearchResponse(
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
265
              results=result.results,
be52af70   tangwang   first commit
266
267
268
              total=result.total,
              max_score=result.max_score,
              took_ms=result.took_ms,
6aa246be   tangwang   问题:Pydantic 应该能自动...
269
              facets=result.facets,
16c42787   tangwang   feat: implement r...
270
              query_info=result.query_info,
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
271
272
              suggestions=result.suggestions,
              related_searches=result.related_searches,
16c42787   tangwang   feat: implement r...
273
              performance_info=performance_summary
be52af70   tangwang   first commit
274
275
          )
  
28e57bb1   tangwang   日志体系优化
276
277
278
279
280
          response_payload = response.model_dump(mode="json")
          response_json = json.dumps(response_payload, ensure_ascii=False, separators=(",", ":"))
          response_digest = hashlib.sha256(response_json.encode("utf-8")).hexdigest()[:16]
          max_score = float(response.max_score or 0.0)
  
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
281
          context.logger.info(
28e57bb1   tangwang   日志体系优化
282
283
284
285
286
287
              "Image search response | Total results: %s | Max score: %.4f | Time: %sms | payload_size: %s chars | digest: %s",
              response.total,
              max_score,
              response.took_ms,
              len(response_json),
              response_digest,
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
288
289
              extra={'reqid': context.reqid, 'uid': context.uid}
          )
28e57bb1   tangwang   日志体系优化
290
291
292
293
294
295
296
297
298
299
300
301
          _log_backend_verbose({
              "event": "image_search_response",
              "reqid": context.reqid,
              "uid": context.uid,
              "tenant_id": tenant_id,
              "total_results": response.total,
              "max_score": max_score,
              "took_ms": response.took_ms,
              "payload_size_chars": len(response_json),
              "sha256_16": response_digest,
              "response": response_payload,
          })
3cd09b3b   tangwang   翻译接口改为调用qwen-mt-f...
302
303
304
  
          return response
  
be52af70   tangwang   first commit
305
      except ValueError as e:
16c42787   tangwang   feat: implement r...
306
307
308
          if context:
              context.set_error(e)
              context.logger.error(
99bea633   tangwang   add logs
309
                  f"Image search request parameter error | error: {str(e)}",
16c42787   tangwang   feat: implement r...
310
311
                  extra={'reqid': context.reqid, 'uid': context.uid}
              )
be52af70   tangwang   first commit
312
313
          raise HTTPException(status_code=400, detail=str(e))
      except Exception as e:
16c42787   tangwang   feat: implement r...
314
315
316
          if context:
              context.set_error(e)
              context.logger.error(
99bea633   tangwang   add logs
317
                  f"Image search request failed | error: {str(e)}",
16c42787   tangwang   feat: implement r...
318
319
                  extra={'reqid': context.reqid, 'uid': context.uid}
              )
be52af70   tangwang   first commit
320
          raise HTTPException(status_code=500, detail=str(e))
16c42787   tangwang   feat: implement r...
321
322
323
      finally:
          # Clear thread-local context
          clear_current_request_context()
be52af70   tangwang   first commit
324
325
  
  
6aa246be   tangwang   问题:Pydantic 应该能自动...
326
327
328
  @router.get("/suggestions", response_model=SearchSuggestResponse)
  async def search_suggestions(
      q: str = Query(..., min_length=1, description="搜索查询"),
ff9efda0   tangwang   suggest
329
      size: int = Query(10, ge=1, le=50, description="建议数量(1-50)"),
ded6f29e   tangwang   补充suggestion模块
330
      language: str = Query("en", description="请求语言,如 zh/en/ar/ru"),
ded6f29e   tangwang   补充suggestion模块
331
332
      debug: bool = Query(False, description="是否返回调试信息"),
      http_request: Request = None,
6aa246be   tangwang   问题:Pydantic 应该能自动...
333
334
335
336
  ):
      """
      获取搜索建议(自动补全)。
      
ff9efda0   tangwang   suggest
337
      获取搜索建议(自动补全,支持多语言)。
6aa246be   tangwang   问题:Pydantic 应该能自动...
338
      """
ded6f29e   tangwang   补充suggestion模块
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
      # Extract tenant_id (required)
      tenant_id = http_request.headers.get("X-Tenant-ID") if http_request else None
      if not tenant_id and http_request:
          from urllib.parse import parse_qs
          query_string = http_request.url.query
          if query_string:
              params = parse_qs(query_string)
              tenant_id = params.get("tenant_id", [None])[0]
  
      if not tenant_id:
          raise HTTPException(
              status_code=400,
              detail="tenant_id is required. Provide it via header 'X-Tenant-ID' or query parameter 'tenant_id'",
          )
  
      try:
          from api.app import get_suggestion_service
  
          service = get_suggestion_service()
          result = service.search(
              tenant_id=tenant_id,
              query=q,
              language=language,
              size=size,
ded6f29e   tangwang   补充suggestion模块
363
364
365
366
367
368
369
370
371
372
373
374
375
376
          )
          response = SearchSuggestResponse(
              query=result["query"],
              language=result.get("language"),
              resolved_language=result.get("resolved_language"),
              suggestions=result["suggestions"],
              took_ms=result["took_ms"],
          )
          if debug:
              # keep response_model stable; debug info stays inside suggestions payload for now
              return response
          return response
      except Exception as e:
          raise HTTPException(status_code=500, detail=str(e))
6aa246be   tangwang   问题:Pydantic 应该能自动...
377
378
379
380
381
  
  
  @router.get("/instant", response_model=SearchResponse)
  async def instant_search(
      q: str = Query(..., min_length=2, description="搜索查询"),
1f6d15fa   tangwang   重构:SPU级别索引、统一索引架构...
382
      size: int = Query(5, ge=1, le=20, description="结果数量"),
6aa246be   tangwang   问题:Pydantic 应该能自动...
383
384
385
386
387
388
389
390
  ):
      """
      即时搜索(Instant Search)。
      
      功能说明:
      - 边输入边搜索,无需点击搜索按钮
      - 返回简化的搜索结果
      
26b910bd   tangwang   refactor service ...
391
      注意:此功能暂未开放,当前明确返回 501
6aa246be   tangwang   问题:Pydantic 应该能自动...
392
      """
26b910bd   tangwang   refactor service ...
393
394
395
396
397
398
399
      # 明确暴露当前接口尚未完成实现,避免调用不完整逻辑导致隐式运行时错误。
      raise HTTPException(
          status_code=501,
          detail=(
              "/search/instant is not implemented yet. "
              "Use POST /search/ for production traffic."
          ),
6aa246be   tangwang   问题:Pydantic 应该能自动...
400
401
402
      )
  
  
be52af70   tangwang   first commit
403
  @router.get("/{doc_id}", response_model=DocumentResponse)
e4a39cc8   tangwang   索引隔离。 不同的tenant_i...
404
  async def get_document(doc_id: str, http_request: Request):
be52af70   tangwang   first commit
405
406
      """
      Get a single document by ID.
e4a39cc8   tangwang   索引隔离。 不同的tenant_i...
407
408
      
      Requires tenant_id in header (X-Tenant-ID) or query parameter (tenant_id).
be52af70   tangwang   first commit
409
410
      """
      try:
e4a39cc8   tangwang   索引隔离。 不同的tenant_i...
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
          # Extract tenant_id (required)
          tenant_id = http_request.headers.get('X-Tenant-ID')
          if not tenant_id:
              # Try to get from query string
              from urllib.parse import parse_qs
              query_string = http_request.url.query
              if query_string:
                  params = parse_qs(query_string)
                  tenant_id = params.get('tenant_id', [None])[0]
          
          if not tenant_id:
              raise HTTPException(
                  status_code=400,
                  detail="tenant_id is required. Provide it via header 'X-Tenant-ID' or query parameter 'tenant_id'"
              )
          
bb3c5ef8   tangwang   灌入数据流程跑通
427
          from api.app import get_searcher
be52af70   tangwang   first commit
428
429
          searcher = get_searcher()
  
e4a39cc8   tangwang   索引隔离。 不同的tenant_i...
430
          doc = searcher.get_document(tenant_id=tenant_id, doc_id=doc_id)
be52af70   tangwang   first commit
431
432
  
          if doc is None:
e4a39cc8   tangwang   索引隔离。 不同的tenant_i...
433
              raise HTTPException(status_code=404, detail=f"Document {doc_id} not found for tenant {tenant_id}")
be52af70   tangwang   first commit
434
435
436
437
438
439
440
  
          return DocumentResponse(id=doc_id, source=doc)
  
      except HTTPException:
          raise
      except Exception as e:
          raise HTTPException(status_code=500, detail=str(e))
985752f5   tangwang   1. 前端调试功能
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
  
  
  @router.get("/es-doc/{spu_id}")
  async def get_es_raw_document(spu_id: str, http_request: Request):
      """
      Get raw Elasticsearch document(s) for a given SPU ID.
  
      This is intended for debugging in the test frontend:
      it queries the tenant-specific ES index with a term filter on spu_id
      and returns the raw ES search response.
      """
      # Extract tenant_id (required)
      tenant_id = http_request.headers.get("X-Tenant-ID")
      if not tenant_id:
          from urllib.parse import parse_qs
          query_string = http_request.url.query
          if query_string:
              params = parse_qs(query_string)
              tenant_id = params.get("tenant_id", [None])[0]
  
      if not tenant_id:
          raise HTTPException(
              status_code=400,
              detail="tenant_id is required. Provide it via header 'X-Tenant-ID' or query parameter 'tenant_id'",
          )
  
      try:
          from api.app import get_searcher
  
          searcher = get_searcher()
          es_client = searcher.es_client
          index_name = get_tenant_index_name(tenant_id)
  
          body = {
985752f5   tangwang   1. 前端调试功能
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
              "query": {
                  "bool": {
                      "filter": [
                          {
                              "term": {
                                  "spu_id": spu_id,
                              }
                          }
                      ]
                  }
              },
          }
  
          es_response = es_client.search(index_name=index_name, body=body, size=5, from_=0)
          return es_response
      except HTTPException:
          raise
      except Exception as e:
          raise HTTPException(status_code=500, detail=str(e))