Blame view

suggestion/service.py 10.1 KB
ded6f29e   tangwang   补充suggestion模块
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
  """
  Online suggestion query service.
  """
  
  import logging
  import time
  from typing import Any, Dict, List, Optional
  
  from config.tenant_config_loader import get_tenant_config_loader
  from indexer.mapping_generator import get_tenant_index_name
  from suggestion.builder import get_suggestion_index_name
  from utils.es_client import ESClient
  
  logger = logging.getLogger(__name__)
  
  
  class SuggestionService:
      def __init__(self, es_client: ESClient):
          self.es_client = es_client
  
      def _resolve_language(self, tenant_id: str, language: str) -> str:
          cfg = get_tenant_config_loader().get_tenant_config(tenant_id)
          index_languages = cfg.get("index_languages") or ["en", "zh"]
          primary = cfg.get("primary_language") or "en"
          lang = (language or "").strip().lower().replace("-", "_")
          if lang in {"zh_tw", "pt_br"}:
              normalized = lang
          else:
              normalized = lang.split("_")[0] if lang else ""
          if normalized in index_languages:
              return normalized
          if primary in index_languages:
              return primary
          return index_languages[0]
  
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
      def _completion_suggest(
          self,
          index_name: str,
          query: str,
          lang: str,
          size: int,
      ) -> List[Dict[str, Any]]:
          """
          Query ES completion suggester from `completion.<lang>`.
  
          Returns items in the same shape as search hits -> dicts with "text"/"lang"/"score"/"rank_score"/"sources".
          """
          field_name = f"completion.{lang}"
          body = {
              "suggest": {
                  "s": {
                      "prefix": query,
                      "completion": {
                          "field": field_name,
                          "size": size,
                          "skip_duplicates": True,
                      },
                  }
              },
              "_source": [
                  "text",
                  "lang",
                  "rank_score",
                  "sources",
                  "lang_source",
                  "lang_confidence",
                  "lang_conflict",
              ],
          }
          try:
              resp = self.es_client.client.search(index=index_name, body=body)
          except Exception as e:
              # completion is an optimization path; never hard-fail the whole endpoint
              logger.warning("Completion suggest failed for index=%s field=%s: %s", index_name, field_name, e)
              return []
  
          entries = (resp.get("suggest", {}) or {}).get("s", []) or []
          if not entries:
              return []
          options = entries[0].get("options", []) or []
          out: List[Dict[str, Any]] = []
          for opt in options:
              src = opt.get("_source", {}) or {}
              out.append(
                  {
                      "text": src.get("text") or opt.get("text"),
                      "lang": src.get("lang") or lang,
                      "score": opt.get("_score", 0.0),
                      "rank_score": src.get("rank_score"),
                      "sources": src.get("sources", []),
                      "lang_source": src.get("lang_source"),
                      "lang_confidence": src.get("lang_confidence"),
                      "lang_conflict": src.get("lang_conflict", False),
                  }
              )
          return out
  
ded6f29e   tangwang   补充suggestion模块
98
99
100
101
102
103
104
105
106
107
108
109
      def _search_products_for_suggestion(
          self,
          tenant_id: str,
          text_value: str,
          lang: str,
          result_size: int,
      ) -> List[Dict[str, Any]]:
          index_name = get_tenant_index_name(tenant_id)
          title_field = f"title.{lang}"
          qanchor_field = f"qanchors.{lang}"
  
          body = {
ded6f29e   tangwang   补充suggestion模块
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
              "_source": ["spu_id", "title", "min_price", "image_url", "sales", "total_inventory"],
              "query": {
                  "bool": {
                      "should": [
                          {"match_phrase": {qanchor_field: {"query": text_value, "boost": 3.0}}},
                          {"match_phrase_prefix": {title_field: {"query": text_value, "boost": 2.0}}},
                          {"match": {title_field: {"query": text_value, "boost": 1.0}}},
                      ],
                      "minimum_should_match": 1,
                  }
              },
              "sort": [{"_score": "desc"}, {"sales": "desc"}],
          }
          resp = self.es_client.search(index_name=index_name, body=body, size=result_size, from_=0)
          hits = resp.get("hits", {}).get("hits", []) or []
          out: List[Dict[str, Any]] = []
          for hit in hits:
              src = hit.get("_source", {}) or {}
              title_obj = src.get("title") or {}
              resolved_title = None
              if isinstance(title_obj, dict):
                  resolved_title = title_obj.get(lang) or title_obj.get("en") or title_obj.get("zh")
                  if not resolved_title:
                      for v in title_obj.values():
                          if v:
                              resolved_title = v
                              break
              out.append(
                  {
                      "spu_id": src.get("spu_id"),
                      "title": resolved_title,
                      "price": src.get("min_price"),
                      "image_url": src.get("image_url"),
                      "score": hit.get("_score", 0.0),
                  }
              )
          return out
  
      def search(
          self,
          tenant_id: str,
          query: str,
          language: str,
          size: int = 10,
          with_results: bool = True,
          result_size: int = 3,
      ) -> Dict[str, Any]:
          start = time.time()
          resolved_lang = self._resolve_language(tenant_id, language)
          index_name = get_suggestion_index_name(tenant_id)
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
160
161
162
163
164
165
166
167
168
169
170
          if not self.es_client.index_exists(index_name):
              # On a fresh ES cluster the suggestion index might not be built yet.
              # Keep endpoint stable for frontend autocomplete: return empty list instead of 500.
              took_ms = int((time.time() - start) * 1000)
              return {
                  "query": query,
                  "language": language,
                  "resolved_language": resolved_lang,
                  "suggestions": [],
                  "took_ms": took_ms,
              }
ded6f29e   tangwang   补充suggestion模块
171
172
173
  
          sat_field = f"sat.{resolved_lang}"
          dsl = {
ded6f29e   tangwang   补充suggestion模块
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
              "query": {
                  "function_score": {
                      "query": {
                          "bool": {
                              "filter": [
                                  {"term": {"lang": resolved_lang}},
                                  {"term": {"status": 1}},
                              ],
                              "should": [
                                  {
                                      "multi_match": {
                                          "query": query,
                                          "type": "bool_prefix",
                                          "fields": [sat_field, f"{sat_field}._2gram", f"{sat_field}._3gram"],
                                      }
                                  }
                              ],
                              "minimum_should_match": 1,
                          }
                      },
                      "field_value_factor": {
                          "field": "rank_score",
                          "factor": 1.0,
                          "modifier": "log1p",
                          "missing": 0.0,
                      },
                      "boost_mode": "sum",
                      "score_mode": "sum",
                  }
              },
              "_source": [
                  "text",
                  "lang",
                  "rank_score",
                  "sources",
                  "top_spu_ids",
                  "lang_source",
                  "lang_confidence",
                  "lang_conflict",
              ],
          }
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
215
          # Recall path A: bool_prefix on search_as_you_type
ded6f29e   tangwang   补充suggestion模块
216
217
218
          es_resp = self.es_client.search(index_name=index_name, body=dsl, size=size, from_=0)
          hits = es_resp.get("hits", {}).get("hits", []) or []
  
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
219
220
221
222
223
224
225
226
          # Recall path B: completion suggester (optional optimization)
          completion_items = self._completion_suggest(
              index_name=index_name,
              query=query,
              lang=resolved_lang,
              size=size,
          )
  
ded6f29e   tangwang   补充suggestion模块
227
          suggestions: List[Dict[str, Any]] = []
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
228
229
230
231
232
233
234
235
236
237
238
239
240
241
          seen_text_norm: set = set()
  
          def _norm_text(v: Any) -> str:
              return str(v or "").strip().lower()
  
          # Put completion results first (usually better prefix UX), then fill with sat results.
          for item in completion_items:
              text_val = item.get("text")
              norm = _norm_text(text_val)
              if not norm or norm in seen_text_norm:
                  continue
              seen_text_norm.add(norm)
              suggestions.append(dict(item))
  
ded6f29e   tangwang   补充suggestion模块
242
243
          for hit in hits:
              src = hit.get("_source", {}) or {}
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
244
245
246
247
248
              text_val = src.get("text")
              norm = _norm_text(text_val)
              if not norm or norm in seen_text_norm:
                  continue
              seen_text_norm.add(norm)
ded6f29e   tangwang   补充suggestion模块
249
              item = {
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
250
                  "text": text_val,
ded6f29e   tangwang   补充suggestion模块
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
                  "lang": src.get("lang"),
                  "score": hit.get("_score", 0.0),
                  "rank_score": src.get("rank_score"),
                  "sources": src.get("sources", []),
                  "lang_source": src.get("lang_source"),
                  "lang_confidence": src.get("lang_confidence"),
                  "lang_conflict": src.get("lang_conflict", False),
              }
              if with_results:
                  try:
                      item["products"] = self._search_products_for_suggestion(
                          tenant_id=tenant_id,
                          text_value=str(src.get("text") or ""),
                          lang=resolved_lang,
                          result_size=result_size,
                      )
                  except Exception as e:
                      logger.warning("Failed to enrich suggestion products: %s", e)
                      item["products"] = []
              suggestions.append(item)
  
          took_ms = int((time.time() - start) * 1000)
          return {
              "query": query,
              "language": language,
              "resolved_language": resolved_lang,
bd96cead   tangwang   1. 动态多语言字段与统一策略配置
277
              "suggestions": suggestions[:size],
ded6f29e   tangwang   补充suggestion模块
278
279
              "took_ms": took_ms,
          }