Blame view

tests/test_product_enrich_partial_mode.py 25.9 KB
a73a751f   tangwang   enrich
1
2
3
4
5
6
7
8
9
10
11
  from __future__ import annotations
  
  import importlib.util
  import io
  import json
  import logging
  import sys
  import types
  from pathlib import Path
  from unittest import mock
  
99b72698   tangwang   测试回归钩子梳理
12
13
14
15
  import pytest
  
  pytestmark = [pytest.mark.indexer, pytest.mark.regression]
  
a73a751f   tangwang   enrich
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
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
  
  def _load_product_enrich_module():
      if "dotenv" not in sys.modules:
          fake_dotenv = types.ModuleType("dotenv")
          fake_dotenv.load_dotenv = lambda *args, **kwargs: None
          sys.modules["dotenv"] = fake_dotenv
  
      if "redis" not in sys.modules:
          fake_redis = types.ModuleType("redis")
  
          class _FakeRedisClient:
              def __init__(self, *args, **kwargs):
                  pass
  
              def ping(self):
                  return True
  
          fake_redis.Redis = _FakeRedisClient
          sys.modules["redis"] = fake_redis
  
      repo_root = Path(__file__).resolve().parents[1]
      if str(repo_root) not in sys.path:
          sys.path.insert(0, str(repo_root))
  
      module_path = repo_root / "indexer" / "product_enrich.py"
      spec = importlib.util.spec_from_file_location("product_enrich_under_test", module_path)
      module = importlib.util.module_from_spec(spec)
      assert spec and spec.loader
      spec.loader.exec_module(module)
      return module
  
  
  product_enrich = _load_product_enrich_module()
  
  
  def _attach_stream(logger_obj: logging.Logger):
      stream = io.StringIO()
      handler = logging.StreamHandler(stream)
      handler.setFormatter(logging.Formatter("%(message)s"))
      logger_obj.addHandler(handler)
      return stream, handler
  
  
  def test_create_prompt_splits_shared_context_and_localized_tail():
      products = [
          {"id": "1", "title": "dress"},
          {"id": "2", "title": "linen shirt"},
      ]
  
      shared_zh, user_zh, prefix_zh = product_enrich.create_prompt(products, target_lang="zh")
      shared_en, user_en, prefix_en = product_enrich.create_prompt(products, target_lang="en")
  
      assert shared_zh == shared_en
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
69
      assert "Analyze each input product text" in shared_zh
a73a751f   tangwang   enrich
70
71
72
73
74
75
76
77
78
79
80
      assert "1. dress" in shared_zh
      assert "2. linen shirt" in shared_zh
      assert "Product list" not in user_zh
      assert "Product list" not in user_en
      assert "specified language" in user_zh
      assert "Language: Chinese" in user_zh
      assert "Language: English" in user_en
      assert prefix_zh.startswith("| 序号 | 商品标题 | 品类路径 |")
      assert prefix_en.startswith("| No. | Product title | Category path |")
  
  
36516857   tangwang   feat(product_enri...
81
  def test_create_prompt_supports_taxonomy_analysis_kind():
99b72698   tangwang   测试回归钩子梳理
82
83
84
85
86
87
      """Taxonomy schema must produce prompts for every language it declares.
  
      Unsupported (schema, lang) combinations return ``(None, None, None)`` so the
      caller (``process_batch``) can mark the batch as failed without calling LLM,
      instead of silently emitting garbage.
      """
36516857   tangwang   feat(product_enri...
88
89
90
91
92
93
94
      products = [{"id": "1", "title": "linen dress"}]
  
      shared_zh, user_zh, prefix_zh = product_enrich.create_prompt(
          products,
          target_lang="zh",
          analysis_kind="taxonomy",
      )
99b72698   tangwang   测试回归钩子梳理
95
      shared_en, user_en, prefix_en = product_enrich.create_prompt(
36516857   tangwang   feat(product_enri...
96
          products,
99b72698   tangwang   测试回归钩子梳理
97
          target_lang="en",
36516857   tangwang   feat(product_enri...
98
99
100
101
102
103
          analysis_kind="taxonomy",
      )
  
      assert "apparel attribute taxonomy" in shared_zh
      assert "1. linen dress" in shared_zh
      assert "Language: Chinese" in user_zh
99b72698   tangwang   测试回归钩子梳理
104
      assert "Language: English" in user_en
36516857   tangwang   feat(product_enri...
105
      assert prefix_zh.startswith("| 序号 | 品类 | 目标性别 |")
99b72698   tangwang   测试回归钩子梳理
106
107
108
109
110
111
112
113
114
      assert prefix_en.startswith("| No. | Product Type | Target Gender |")
  
      # Unsupported (schema, lang) must return a sentinel. French is not declared
      # by any taxonomy schema.
      assert product_enrich.create_prompt(
          products,
          target_lang="fr",
          analysis_kind="taxonomy",
      ) == (None, None, None)
36516857   tangwang   feat(product_enri...
115
116
  
  
a73a751f   tangwang   enrich
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
160
161
162
163
164
165
166
167
168
169
170
171
172
173
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
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
  def test_call_llm_logs_shared_context_once_and_verbose_contains_full_requests():
      payloads = []
      response_bodies = [
          {
              "choices": [
                  {
                      "message": {
                          "content": (
                              "| 1 | 连衣裙 | 女装>连衣裙 | 法式,收腰 | 年轻女性 | "
                              "通勤,约会 | 春季,夏季 | 中长款 | 聚酯纤维 | 透气 | "
                              "修身显瘦 | 法式收腰连衣裙 |\n"
                          )
                      }
                  }
              ],
              "usage": {"prompt_tokens": 120, "completion_tokens": 45, "total_tokens": 165},
          },
          {
              "choices": [
                  {
                      "message": {
                          "content": (
                              "| 1 | Dress | Women>Dress | French,Waisted | Young women | "
                              "Commute,Date | Spring,Summer | Midi | Polyester | Breathable | "
                              "Slim fit | French waisted dress |\n"
                          )
                      }
                  }
              ],
              "usage": {"prompt_tokens": 118, "completion_tokens": 43, "total_tokens": 161},
          },
      ]
  
      class _FakeResponse:
          def __init__(self, body):
              self.body = body
  
          def raise_for_status(self):
              return None
  
          def json(self):
              return self.body
  
      class _FakeSession:
          trust_env = True
  
          def post(self, url, headers=None, json=None, timeout=None, proxies=None):
              del url, headers, timeout, proxies
              payloads.append(json)
              return _FakeResponse(response_bodies[len(payloads) - 1])
  
          def close(self):
              return None
  
      product_enrich.reset_logged_shared_context_keys()
      main_stream, main_handler = _attach_stream(product_enrich.logger)
      verbose_stream, verbose_handler = _attach_stream(product_enrich.verbose_logger)
  
      try:
          with mock.patch.object(product_enrich, "API_KEY", "fake-key"), mock.patch.object(
              product_enrich.requests,
              "Session",
              lambda: _FakeSession(),
          ):
              zh_shared, zh_user, zh_prefix = product_enrich.create_prompt(
                  [{"id": "1", "title": "dress"}],
                  target_lang="zh",
              )
              en_shared, en_user, en_prefix = product_enrich.create_prompt(
                  [{"id": "1", "title": "dress"}],
                  target_lang="en",
              )
  
              zh_markdown, zh_raw = product_enrich.call_llm(
                  zh_shared,
                  zh_user,
                  zh_prefix,
                  target_lang="zh",
              )
              en_markdown, en_raw = product_enrich.call_llm(
                  en_shared,
                  en_user,
                  en_prefix,
                  target_lang="en",
              )
      finally:
          product_enrich.logger.removeHandler(main_handler)
          product_enrich.verbose_logger.removeHandler(verbose_handler)
  
      assert zh_shared == en_shared
      assert len(payloads) == 2
      assert len(payloads[0]["messages"]) == 3
      assert payloads[0]["messages"][1]["role"] == "user"
      assert "1. dress" in payloads[0]["messages"][1]["content"]
      assert "Language: Chinese" in payloads[0]["messages"][1]["content"]
      assert "Language: English" in payloads[1]["messages"][1]["content"]
      assert payloads[0]["messages"][-1]["partial"] is True
      assert payloads[1]["messages"][-1]["partial"] is True
  
      main_log = main_stream.getvalue()
      verbose_log = verbose_stream.getvalue()
  
      assert main_log.count("LLM Shared Context") == 1
      assert main_log.count("LLM Request Variant") == 2
      assert "Localized Requirement" in main_log
      assert "Shared Context" in main_log
  
      assert verbose_log.count("LLM Request [model=") == 2
      assert verbose_log.count("LLM Response [model=") == 2
      assert '"partial": true' in verbose_log
      assert "Combined User Prompt" in verbose_log
      assert "French waisted dress" in verbose_log
      assert "法式收腰连衣裙" in verbose_log
  
      assert zh_markdown.startswith(zh_prefix)
      assert en_markdown.startswith(en_prefix)
      assert json.loads(zh_raw)["usage"]["total_tokens"] == 165
      assert json.loads(en_raw)["usage"]["total_tokens"] == 161
  
  
  def test_process_batch_reads_result_and_validates_expected_fields():
76e1f088   tangwang   1. 减少一列sell point...
238
239
240
      merged_markdown = """| 序号 | 商品标题 | 品类路径 | 细分标签 | 适用人群 | 使用场景 | 适用季节 | 关键属性 | 材质说明 | 功能特点 | 锚文本 |
  |----|----|----|----|----|----|----|----|----|----|----|
  | 1 | 法式连衣裙 | 女装>连衣裙 | 法式,收腰 | 年轻女性 | 通勤,约会 | 春季,夏季 | 中长款 | 聚酯纤维 | 透气 | 法式收腰连衣裙 |
a73a751f   tangwang   enrich
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
  """
  
      with mock.patch.object(
          product_enrich,
          "call_llm",
          return_value=(merged_markdown, json.dumps({"choices": [{"message": {"content": "stub"}}]})),
      ):
          results = product_enrich.process_batch(
              [{"id": "sku-1", "title": "dress"}],
              batch_num=1,
              target_lang="zh",
          )
  
      assert len(results) == 1
      row = results[0]
      assert row["id"] == "sku-1"
      assert row["lang"] == "zh"
      assert row["title_input"] == "dress"
      assert row["title"] == "法式连衣裙"
      assert row["category_path"] == "女装>连衣裙"
      assert row["tags"] == "法式,收腰"
      assert row["target_audience"] == "年轻女性"
      assert row["usage_scene"] == "通勤,约会"
      assert row["season"] == "春季,夏季"
      assert row["key_attributes"] == "中长款"
      assert row["material"] == "聚酯纤维"
      assert row["features"] == "透气"
a73a751f   tangwang   enrich
268
      assert row["anchor_text"] == "法式收腰连衣裙"
76e1f088   tangwang   1. 减少一列sell point...
269
270
  
  
36516857   tangwang   feat(product_enri...
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
  def test_process_batch_reads_taxonomy_result_with_schema_specific_fields():
      merged_markdown = """| 序号 | 品类 | 目标性别 | 年龄段 | 适用季节 | 版型 | 廓形 | 领型 | 袖长类型 | 袖型 | 肩带设计 | 腰型 | 裤型 | 裙型 | 长度类型 | 闭合方式 | 设计细节 | 面料 | 成分 | 面料特性 | 服装特征 | 功能 | 主颜色 | 色系 | 印花 / 图案 | 适用场景 | 风格 |
  |----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|----|
  | 1 | 连衣裙 |  | 成人 | 春季,夏季 | 修身 | A | V | 无袖 | | 细肩带 | 高腰 | | A字裙 | 中长款 | 拉链 | 褶皱 | 梭织 | 聚酯纤维,氨纶 | 轻薄,透气 | 有内衬 | 易打理 | 酒红色 | 红色 | 纯色 | 约会,度假 | 浪漫 |
  """
  
      with mock.patch.object(
          product_enrich,
          "call_llm",
          return_value=(merged_markdown, json.dumps({"choices": [{"message": {"content": "stub"}}]})),
      ):
          results = product_enrich.process_batch(
              [{"id": "sku-1", "title": "dress"}],
              batch_num=1,
              target_lang="zh",
              analysis_kind="taxonomy",
          )
  
      assert len(results) == 1
      row = results[0]
      assert row["id"] == "sku-1"
      assert row["lang"] == "zh"
      assert row["title_input"] == "dress"
      assert row["product_type"] == "连衣裙"
      assert row["target_gender"] == "女"
      assert row["age_group"] == "成人"
      assert row["sleeve_length_type"] == "无袖"
      assert row["material_composition"] == "聚酯纤维,氨纶"
      assert row["occasion_end_use"] == "约会,度假"
      assert row["style_aesthetic"] == "浪漫"
  
  
76e1f088   tangwang   1. 减少一列sell point...
303
304
305
306
  def test_analyze_products_uses_product_level_cache_across_batch_requests():
      cache_store = {}
      process_calls = []
  
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
307
308
309
310
311
312
313
314
315
      def _cache_key(product, target_lang):
          return (
              target_lang,
              product.get("title", ""),
              product.get("brief", ""),
              product.get("description", ""),
              product.get("image_url", ""),
          )
  
2703b6ea   tangwang   refactor(indexer)...
316
317
318
319
320
321
      def fake_get_cached_analysis_result(
          product,
          target_lang,
          analysis_kind="content",
          category_taxonomy_profile=None,
      ):
36516857   tangwang   feat(product_enri...
322
          assert analysis_kind == "content"
2703b6ea   tangwang   refactor(indexer)...
323
          assert category_taxonomy_profile is None
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
324
          return cache_store.get(_cache_key(product, target_lang))
76e1f088   tangwang   1. 减少一列sell point...
325
  
2703b6ea   tangwang   refactor(indexer)...
326
327
328
329
330
331
332
      def fake_set_cached_analysis_result(
          product,
          target_lang,
          result,
          analysis_kind="content",
          category_taxonomy_profile=None,
      ):
36516857   tangwang   feat(product_enri...
333
          assert analysis_kind == "content"
2703b6ea   tangwang   refactor(indexer)...
334
          assert category_taxonomy_profile is None
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
335
          cache_store[_cache_key(product, target_lang)] = result
76e1f088   tangwang   1. 减少一列sell point...
336
  
2703b6ea   tangwang   refactor(indexer)...
337
338
339
340
341
342
343
      def fake_process_batch(
          batch_data,
          batch_num,
          target_lang="zh",
          analysis_kind="content",
          category_taxonomy_profile=None,
      ):
36516857   tangwang   feat(product_enri...
344
          assert analysis_kind == "content"
2703b6ea   tangwang   refactor(indexer)...
345
          assert category_taxonomy_profile is None
76e1f088   tangwang   1. 减少一列sell point...
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
          process_calls.append(
              {
                  "batch_num": batch_num,
                  "target_lang": target_lang,
                  "titles": [item["title"] for item in batch_data],
              }
          )
          return [
              {
                  "id": item["id"],
                  "lang": target_lang,
                  "title_input": item["title"],
                  "title": f"normalized:{item['title']}",
                  "category_path": "cat",
                  "tags": "tags",
                  "target_audience": "audience",
                  "usage_scene": "scene",
                  "season": "season",
                  "key_attributes": "attrs",
                  "material": "material",
                  "features": "features",
                  "anchor_text": f"anchor:{item['title']}",
              }
              for item in batch_data
          ]
  
      products = [
          {"id": "1", "title": "dress"},
          {"id": "2", "title": "shirt"},
      ]
  
      with mock.patch.object(product_enrich, "API_KEY", "fake-key"), mock.patch.object(
          product_enrich,
36516857   tangwang   feat(product_enri...
379
380
          "_get_cached_analysis_result",
          side_effect=fake_get_cached_analysis_result,
76e1f088   tangwang   1. 减少一列sell point...
381
382
      ), mock.patch.object(
          product_enrich,
36516857   tangwang   feat(product_enri...
383
384
          "_set_cached_analysis_result",
          side_effect=fake_set_cached_analysis_result,
76e1f088   tangwang   1. 减少一列sell point...
385
386
387
388
389
390
391
392
393
394
395
396
397
      ), mock.patch.object(
          product_enrich,
          "process_batch",
          side_effect=fake_process_batch,
      ):
          first = product_enrich.analyze_products(
              [products[0]],
              target_lang="zh",
              tenant_id="170",
          )
          second = product_enrich.analyze_products(
              products,
              target_lang="zh",
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
398
              tenant_id="999",
76e1f088   tangwang   1. 减少一列sell point...
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
          )
          third = product_enrich.analyze_products(
              products,
              target_lang="zh",
              tenant_id="170",
          )
  
      assert [row["title_input"] for row in first] == ["dress"]
      assert [row["title_input"] for row in second] == ["dress", "shirt"]
      assert [row["title_input"] for row in third] == ["dress", "shirt"]
  
      assert process_calls == [
          {"batch_num": 1, "target_lang": "zh", "titles": ["dress"]},
          {"batch_num": 1, "target_lang": "zh", "titles": ["shirt"]},
      ]
      assert second[0]["anchor_text"] == "anchor:dress"
      assert second[1]["anchor_text"] == "anchor:shirt"
      assert third[0]["anchor_text"] == "anchor:dress"
      assert third[1]["anchor_text"] == "anchor:shirt"
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
418
419
  
  
90de78aa   tangwang   enrich接口 因为接口迭代、跟...
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
  def test_analyze_products_reuses_cached_content_with_current_product_identity():
      cached_result = {
          "id": "1165",
          "lang": "zh",
          "title_input": "old-title",
          "title": "法式连衣裙",
          "category_path": "女装>连衣裙",
          "enriched_tags": "法式,收腰",
          "target_audience": "年轻女性",
          "usage_scene": "通勤,约会",
          "season": "春季,夏季",
          "key_attributes": "中长款",
          "material": "聚酯纤维",
          "features": "透气",
          "anchor_text": "法式收腰连衣裙",
      }
      products = [{"id": "69960", "title": "dress"}]
  
      with mock.patch.object(product_enrich, "API_KEY", "fake-key"), mock.patch.object(
          product_enrich,
36516857   tangwang   feat(product_enri...
440
          "_get_cached_analysis_result",
2703b6ea   tangwang   refactor(indexer)...
441
          wraps=lambda product, target_lang, analysis_kind="content", category_taxonomy_profile=None: product_enrich._normalize_analysis_result(
90de78aa   tangwang   enrich接口 因为接口迭代、跟...
442
443
444
              cached_result,
              product=product,
              target_lang=target_lang,
36516857   tangwang   feat(product_enri...
445
              schema=product_enrich._get_analysis_schema("content"),
90de78aa   tangwang   enrich接口 因为接口迭代、跟...
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
475
476
477
          ),
      ), mock.patch.object(
          product_enrich,
          "process_batch",
          side_effect=AssertionError("process_batch should not be called on cache hit"),
      ):
          result = product_enrich.analyze_products(
              products,
              target_lang="zh",
              tenant_id="170",
          )
  
      assert result == [
          {
              "id": "69960",
              "lang": "zh",
              "title_input": "dress",
              "title": "法式连衣裙",
              "category_path": "女装>连衣裙",
              "tags": "法式,收腰",
              "target_audience": "年轻女性",
              "usage_scene": "通勤,约会",
              "season": "春季,夏季",
              "key_attributes": "中长款",
              "material": "聚酯纤维",
              "features": "透气",
              "anchor_text": "法式收腰连衣裙",
          }
      ]
  
  
  def test_build_index_content_fields_maps_internal_tags_to_enriched_tags_output():
36516857   tangwang   feat(product_enri...
478
479
480
481
482
483
      def fake_analyze_products(
          products,
          target_lang="zh",
          batch_size=None,
          tenant_id=None,
          analysis_kind="content",
2703b6ea   tangwang   refactor(indexer)...
484
          category_taxonomy_profile=None,
36516857   tangwang   feat(product_enri...
485
486
      ):
          if analysis_kind == "taxonomy":
2703b6ea   tangwang   refactor(indexer)...
487
              assert category_taxonomy_profile == "apparel"
36516857   tangwang   feat(product_enri...
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
              return [
                  {
                      "id": products[0]["id"],
                      "lang": target_lang,
                      "title_input": products[0]["title"],
                      "product_type": f"{target_lang}-dress",
                      "target_gender": f"{target_lang}-women",
                      "age_group": "",
                      "season": f"{target_lang}-summer",
                      "fit": "",
                      "silhouette": "",
                      "neckline": "",
                      "sleeve_length_type": "",
                      "sleeve_style": "",
                      "strap_type": "",
                      "rise_waistline": "",
                      "leg_shape": "",
                      "skirt_shape": "",
                      "length_type": "",
                      "closure_type": "",
                      "design_details": "",
                      "fabric": "",
                      "material_composition": "",
                      "fabric_properties": "",
                      "clothing_features": "",
                      "functional_benefits": "",
                      "color": "",
                      "color_family": "",
                      "print_pattern": "",
                      "occasion_end_use": "",
                      "style_aesthetic": "",
                  }
              ]
90de78aa   tangwang   enrich接口 因为接口迭代、跟...
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
          return [
              {
                  "id": products[0]["id"],
                  "lang": target_lang,
                  "title_input": products[0]["title"],
                  "title": products[0]["title"],
                  "category_path": "玩具>滑行玩具",
                  "tags": f"{target_lang}-tag1,{target_lang}-tag2",
                  "target_audience": f"{target_lang}-audience",
                  "usage_scene": "",
                  "season": "",
                  "key_attributes": "",
                  "material": "",
                  "features": "",
                  "anchor_text": f"{target_lang}-anchor",
              }
          ]
  
      with mock.patch.object(
          product_enrich,
          "analyze_products",
          side_effect=fake_analyze_products,
      ):
          result = product_enrich.build_index_content_fields(
              items=[{"spu_id": "69960", "title": "dress"}],
              tenant_id="170",
          )
  
      assert result == [
          {
              "id": "69960",
              "qanchors": {"zh": ["zh-anchor"], "en": ["en-anchor"]},
              "enriched_tags": {"zh": ["zh-tag1", "zh-tag2"], "en": ["en-tag1", "en-tag2"]},
              "enriched_attributes": [
80f1e036   tangwang   enriched_attribut...
555
556
557
558
559
560
561
562
                  {
                      "name": "enriched_tags",
                      "value": {
                          "zh": ["zh-tag1", "zh-tag2"],
                          "en": ["en-tag1", "en-tag2"],
                      },
                  },
                  {"name": "target_audience", "value": {"zh": ["zh-audience"], "en": ["en-audience"]}},
90de78aa   tangwang   enrich接口 因为接口迭代、跟...
563
              ],
36516857   tangwang   feat(product_enri...
564
565
566
567
568
569
570
571
572
573
574
575
576
577
              "enriched_taxonomy_attributes": [
                  {
                      "name": "Product Type",
                      "value": {"zh": ["zh-dress"], "en": ["en-dress"]},
                  },
                  {
                      "name": "Target Gender",
                      "value": {"zh": ["zh-women"], "en": ["en-women"]},
                  },
                  {
                      "name": "Season",
                      "value": {"zh": ["zh-summer"], "en": ["en-summer"]},
                  },
              ],
90de78aa   tangwang   enrich接口 因为接口迭代、跟...
578
579
          }
      ]
048631be   tangwang   1. 新增说明文档《product...
580
  def test_build_index_content_fields_non_apparel_taxonomy_returns_en_only():
dabd52a5   tangwang   feat(indexer): 支持...
581
582
583
584
585
586
587
588
589
590
591
592
      seen_calls = []
  
      def fake_analyze_products(
          products,
          target_lang="zh",
          batch_size=None,
          tenant_id=None,
          analysis_kind="content",
          category_taxonomy_profile=None,
      ):
          seen_calls.append((analysis_kind, target_lang, category_taxonomy_profile, tuple(p["id"] for p in products)))
          if analysis_kind == "taxonomy":
dabd52a5   tangwang   feat(indexer): 支持...
593
              assert category_taxonomy_profile == "toys"
99b72698   tangwang   测试回归钩子梳理
594
595
596
597
598
              # Non-apparel taxonomy profiles only emit en; mirror the real
              # `analyze_products` by returning empty for unsupported langs so the
              # caller drops zh silently.
              if target_lang != "en":
                  return []
dabd52a5   tangwang   feat(indexer): 支持...
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
              return [
                  {
                      "id": products[0]["id"],
                      "lang": "en",
                      "title_input": products[0]["title"],
                      "product_type": "doll set",
                      "age_group": "kids",
                      "character_theme": "",
                      "material": "",
                      "power_source": "",
                      "interactive_features": "",
                      "educational_play_value": "",
                      "piece_count_size": "",
                      "color": "",
                      "use_scenario": "",
                  }
              ]
  
          return [
              {
                  "id": product["id"],
                  "lang": target_lang,
                  "title_input": product["title"],
                  "title": product["title"],
                  "category_path": "",
                  "tags": f"{target_lang}-tag",
                  "target_audience": "",
                  "usage_scene": "",
                  "season": "",
                  "key_attributes": "",
                  "material": "",
                  "features": "",
                  "anchor_text": f"{target_lang}-anchor",
              }
              for product in products
          ]
  
      with mock.patch.object(product_enrich, "analyze_products", side_effect=fake_analyze_products):
          result = product_enrich.build_index_content_fields(
048631be   tangwang   1. 新增说明文档《product...
638
              items=[{"spu_id": "2", "title": "toy"}],
dabd52a5   tangwang   feat(indexer): 支持...
639
              tenant_id="170",
048631be   tangwang   1. 新增说明文档《product...
640
              category_taxonomy_profile="toys",
dabd52a5   tangwang   feat(indexer): 支持...
641
642
          )
  
048631be   tangwang   1. 新增说明文档《product...
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
      assert result == [
          {
              "id": "2",
              "qanchors": {"zh": ["zh-anchor"], "en": ["en-anchor"]},
              "enriched_tags": {"zh": ["zh-tag"], "en": ["en-tag"]},
              "enriched_attributes": [
                  {
                      "name": "enriched_tags",
                      "value": {
                          "zh": ["zh-tag"],
                          "en": ["en-tag"],
                      },
                  }
              ],
              "enriched_taxonomy_attributes": [
                  {"name": "Product Type", "value": {"en": ["doll set"]}},
                  {"name": "Age Group", "value": {"en": ["kids"]}},
              ],
          }
dabd52a5   tangwang   feat(indexer): 支持...
662
      ]
dabd52a5   tangwang   feat(indexer): 支持...
663
664
665
      assert ("taxonomy", "en", "toys", ("2",)) in seen_calls
  
  
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
  def test_anchor_cache_key_depends_on_product_input_not_identifiers():
      product_a = {
          "id": "1",
          "spu_id": "1001",
          "title": "dress",
          "brief": "soft cotton",
          "description": "summer dress",
          "image_url": "https://img/a.jpg",
      }
      product_b = {
          "id": "2",
          "spu_id": "9999",
          "title": "dress",
          "brief": "soft cotton",
          "description": "summer dress",
          "image_url": "https://img/a.jpg",
      }
      product_c = {
          "id": "1",
          "spu_id": "1001",
          "title": "dress",
          "brief": "soft cotton updated",
          "description": "summer dress",
          "image_url": "https://img/a.jpg",
      }
  
      key_a = product_enrich._make_anchor_cache_key(product_a, "zh")
      key_b = product_enrich._make_anchor_cache_key(product_b, "zh")
      key_c = product_enrich._make_anchor_cache_key(product_c, "zh")
  
      assert key_a == key_b
      assert key_a != key_c
  
  
5aaf0c7d   tangwang   feat(indexer): 完善...
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
  def test_analysis_cache_key_isolated_by_analysis_kind():
      product = {
          "id": "1",
          "title": "dress",
          "brief": "soft cotton",
          "description": "summer dress",
      }
  
      content_key = product_enrich._make_analysis_cache_key(product, "zh", "content")
      taxonomy_key = product_enrich._make_analysis_cache_key(product, "zh", "taxonomy")
  
      assert content_key != taxonomy_key
  
  
  def test_analysis_cache_key_changes_when_prompt_contract_changes():
      product = {
          "id": "1",
          "title": "dress",
          "brief": "soft cotton",
          "description": "summer dress",
      }
  
      original_key = product_enrich._make_analysis_cache_key(product, "zh", "taxonomy")
  
      with mock.patch.object(
          product_enrich,
          "USER_INSTRUCTION_TEMPLATE",
          "Please return JSON only. Language: {language}",
      ):
          changed_key = product_enrich._make_analysis_cache_key(product, "zh", "taxonomy")
  
      assert original_key != changed_key
  
  
a47416ec   tangwang   把融合逻辑改成乘法公式,并把 ES...
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
  def test_build_prompt_input_text_appends_brief_and_description_for_short_title():
      product = {
          "title": "T恤",
          "brief": "夏季透气纯棉短袖,舒适亲肤",
          "description": "100%棉,圆领版型,适合日常通勤与休闲穿搭。",
      }
  
      text = product_enrich._build_prompt_input_text(product)
  
      assert text.startswith("T恤")
      assert "夏季透气纯棉短袖" in text
      assert "100%棉" in text
  
  
  def test_build_prompt_input_text_truncates_non_cjk_by_words():
      product = {
          "title": "dress",
          "brief": " ".join(f"brief{i}" for i in range(50)),
          "description": " ".join(f"desc{i}" for i in range(50)),
      }
  
      text = product_enrich._build_prompt_input_text(product)
  
      assert len(text.split()) <= product_enrich.PROMPT_INPUT_MAX_WORDS