| """Smart warehouse stock finder with price and link information""" |
|
|
| import requests |
| import re |
| import os |
| import json |
| import xml.etree.ElementTree as ET |
| import time |
|
|
| |
| CACHE_DURATION = 7200 |
| cache = { |
| 'warehouse_xml': {'data': None, 'time': 0}, |
| 'trek_xml': {'data': None, 'time': 0}, |
| 'products_summary': {'data': None, 'time': 0}, |
| 'search_results': {} |
| } |
|
|
| def get_cached_trek_xml(): |
| """Get Trek XML with 12-hour caching""" |
| current_time = time.time() |
| |
| if cache['trek_xml']['data'] and (current_time - cache['trek_xml']['time'] < CACHE_DURATION): |
| cache_age = (current_time - cache['trek_xml']['time']) / 60 |
| return cache['trek_xml']['data'] |
| |
| try: |
| url = 'https://www.trekbisiklet.com.tr/output/8582384479' |
| response = requests.get(url, verify=False, timeout=10) |
| |
| if response.status_code == 200: |
| cache['trek_xml']['data'] = response.content |
| cache['trek_xml']['time'] = current_time |
| return response.content |
| else: |
| return None |
| except Exception as e: |
| return None |
|
|
| def apply_price_rounding(price_str): |
| """Apply the same price rounding formula used in app.py""" |
| if not price_str: |
| return price_str |
| |
| try: |
| price_float = float(price_str) |
| if price_float > 200000: |
| return str(round(price_float / 5000) * 5000) |
| elif price_float > 30000: |
| return str(round(price_float / 1000) * 1000) |
| elif price_float > 10000: |
| return str(round(price_float / 100) * 100) |
| else: |
| return str(round(price_float / 10) * 10) |
| except: |
| return price_str |
|
|
| def get_product_price_and_link_by_sku(product_code): |
| """Get price and link from Trek XML using improved SKU matching with new XML fields |
| Uses: stockCode, rootProductStockCode, isOptionOfAProduct, isOptionedProduct |
| Level 1: Search variants by stockCode where isOptionOfAProduct=1 |
| Level 2: Search main products by stockCode where isOptionOfAProduct=0 |
| Level 3: Search by rootProductStockCode for variant-to-main mapping |
| """ |
| try: |
| |
| import xml.etree.ElementTree as ET |
| |
| |
| xml_content = get_cached_trek_xml() |
| if not xml_content: |
| return None, None |
| |
| |
| if isinstance(xml_content, bytes): |
| xml_content = xml_content.decode('utf-8') |
| |
| |
| try: |
| root = ET.fromstring(xml_content) |
| except: |
| |
| return get_product_price_and_link_by_sku_regex(product_code) |
| |
| |
| for item in root.findall('.//item'): |
| is_option_element = item.find('isOptionOfAProduct') |
| stock_code_element = item.find('stockCode') |
| |
| if (is_option_element is not None and is_option_element.text == '1' and |
| stock_code_element is not None and stock_code_element.text and stock_code_element.text.strip() == product_code): |
| |
| price_element = item.find('priceTaxWithCur') |
| link_element = item.find('productLink') |
| |
| if price_element is not None and link_element is not None: |
| rounded_price = apply_price_rounding(price_element.text) |
| return rounded_price, link_element.text |
| |
| |
| for item in root.findall('.//item'): |
| is_option_element = item.find('isOptionOfAProduct') |
| stock_code_element = item.find('stockCode') |
| |
| if (is_option_element is not None and is_option_element.text == '0' and |
| stock_code_element is not None and stock_code_element.text and stock_code_element.text.strip() == product_code): |
| |
| price_element = item.find('priceTaxWithCur') |
| link_element = item.find('productLink') |
| |
| if price_element is not None and link_element is not None: |
| rounded_price = apply_price_rounding(price_element.text) |
| return rounded_price, link_element.text |
| |
| |
| for item in root.findall('.//item'): |
| root_stock_element = item.find('rootProductStockCode') |
| |
| if (root_stock_element is not None and root_stock_element.text and root_stock_element.text.strip() == product_code): |
| price_element = item.find('priceTaxWithCur') |
| link_element = item.find('productLink') |
| |
| if price_element is not None and link_element is not None: |
| rounded_price = apply_price_rounding(price_element.text) |
| return rounded_price, link_element.text |
| |
| |
| return None, None |
| |
| except Exception as e: |
| return None, None |
|
|
| def get_product_price_and_link_by_sku_regex(product_code): |
| """Fallback regex method for SKU lookup if XML parsing fails""" |
| try: |
| xml_content = get_cached_trek_xml() |
| if isinstance(xml_content, bytes): |
| xml_content = xml_content.decode('utf-8') |
| |
| |
| variant_pattern = rf'<isOptionOfAProduct>1</isOptionOfAProduct>.*?<stockCode><!\[CDATA\[{re.escape(product_code)}\]\]></stockCode>.*?(?=<item>|$)' |
| variant_match = re.search(variant_pattern, xml_content, re.DOTALL) |
| |
| if variant_match: |
| section = variant_match.group(0) |
| price_match = re.search(r'<price><!\[CDATA\[(.*?)\]\]></price>', section) |
| link_match = re.search(r'<producturl><!\[CDATA\[(.*?)\]\]></producturl>', section) |
| |
| if price_match and link_match: |
| rounded_price = apply_price_rounding(price_match.group(1)) |
| return rounded_price, link_match.group(1) |
| |
| |
| main_pattern = rf'<isOptionOfAProduct>0</isOptionOfAProduct>.*?<stockCode><!\[CDATA\[{re.escape(product_code)}\]\]></stockCode>.*?(?=<item>|$)' |
| main_match = re.search(main_pattern, xml_content, re.DOTALL) |
| |
| if main_match: |
| section = main_match.group(0) |
| price_match = re.search(r'<price><!\[CDATA\[(.*?)\]\]></price>', section) |
| link_match = re.search(r'<producturl><!\[CDATA\[(.*?)\]\]></producturl>', section) |
| |
| if price_match and link_match: |
| rounded_price = apply_price_rounding(price_match.group(1)) |
| return rounded_price, link_match.group(1) |
| |
| return None, None |
| |
| except Exception as e: |
| return None, None |
|
|
| def get_product_price_and_link(product_name, variant=None): |
| """Get price and link from Trek website XML""" |
| try: |
| |
| xml_content = get_cached_trek_xml() |
| if not xml_content: |
| return None, None |
| |
| root = ET.fromstring(xml_content) |
| |
| |
| tr_map = { |
| 'İ': 'i', 'I': 'i', 'ı': 'i', |
| 'Ğ': 'g', 'ğ': 'g', |
| 'Ü': 'u', 'ü': 'u', |
| 'Ş': 's', 'ş': 's', |
| 'Ö': 'o', 'ö': 'o', |
| 'Ç': 'c', 'ç': 'c' |
| } |
| |
| |
| search_name_normalized = product_name |
| search_variant_normalized = variant if variant else "" |
| for tr, en in tr_map.items(): |
| search_name_normalized = search_name_normalized.replace(tr, en) |
| search_variant_normalized = search_variant_normalized.replace(tr, en) |
|
|
| |
| search_name = search_name_normalized.lower() |
| search_variant = search_variant_normalized.lower() |
|
|
| |
| |
| plus_models = ['fuel', 'domane', 'fx', 'ds', 'verve', 'townie', 'allant'] |
| for model in plus_models: |
| |
| search_name = search_name.replace(f'{model} + ', f'{model}+ ') |
| |
| if f'{model} lx' in search_name or f'{model} 9' in search_name: |
| search_name = search_name.replace(f'{model} ', f'{model}+ ') |
| |
| best_match = None |
| best_score = 0 |
| |
| |
| clean_search = re.sub(r'\s*\(\d{4}\)\s*', '', search_name).strip() |
| |
| for item in root.findall('item'): |
| |
| rootlabel_elem = item.find('rootlabel') |
| if rootlabel_elem is None or not rootlabel_elem.text: |
| continue |
| |
| item_name = rootlabel_elem.text.lower() |
| for tr, en in tr_map.items(): |
| item_name = item_name.replace(tr, en) |
| |
| |
| clean_item = re.sub(r'\s*\(\d{4}\)\s*', '', item_name).strip() |
| |
| |
| score = 0 |
| |
| |
| if clean_search == clean_item: |
| score += 100 |
| |
| elif clean_item.startswith(clean_search + " ") or clean_item == clean_search: |
| score += 50 |
| else: |
| |
| name_parts = clean_search.split() |
| for part in name_parts: |
| if part in clean_item: |
| score += 1 |
| |
| |
| if variant and search_variant in item_name: |
| score += 2 |
| |
| if score > best_score: |
| best_score = score |
| best_match = item |
| |
| if best_match and best_score > 0: |
| |
| price_elem = best_match.find('priceTaxWithCur') |
| price = price_elem.text if price_elem is not None and price_elem.text else None |
| |
| |
| if price: |
| try: |
| price_float = float(price) |
| if price_float > 200000: |
| rounded = round(price_float / 5000) * 5000 |
| price = f"{int(rounded):,}".replace(',', '.') + " TL" |
| elif price_float > 30000: |
| rounded = round(price_float / 1000) * 1000 |
| price = f"{int(rounded):,}".replace(',', '.') + " TL" |
| elif price_float > 10000: |
| rounded = round(price_float / 100) * 100 |
| price = f"{int(rounded):,}".replace(',', '.') + " TL" |
| else: |
| rounded = round(price_float / 10) * 10 |
| price = f"{int(rounded):,}".replace(',', '.') + " TL" |
| except: |
| price = f"{price} TL" |
| |
| |
| link_elem = best_match.find('productLink') |
| link = link_elem.text if link_elem is not None and link_elem.text else None |
| |
| return price, link |
| |
| return None, None |
| |
| except Exception as e: |
| return None, None |
|
|
| def get_cached_warehouse_xml(): |
| """Get warehouse XML with 12-hour caching""" |
| current_time = time.time() |
| |
| if cache['warehouse_xml']['data'] and (current_time - cache['warehouse_xml']['time'] < CACHE_DURATION): |
| cache_age = (current_time - cache['warehouse_xml']['time']) / 60 |
| return cache['warehouse_xml']['data'] |
| |
| for attempt in range(3): |
| try: |
| url = 'https://video.trek-turkey.com/bizimhesap-warehouse-xml-b2b-api-v2.php' |
| timeout_val = 10 + (attempt * 5) |
| response = requests.get(url, verify=False, timeout=timeout_val) |
| xml_text = response.text |
| cache['warehouse_xml']['data'] = xml_text |
| cache['warehouse_xml']['time'] = current_time |
| |
| return xml_text |
| except requests.exceptions.Timeout: |
| if attempt == 2: |
| return None |
| except Exception as e: |
| return None |
| |
| return None |
|
|
| def get_warehouse_stock_smart_with_price(user_message, previous_result=None): |
| """Enhanced smart warehouse search with price and link info""" |
| |
| |
| live_support_phrases = [ |
| 'müşteri bağla', 'canlı bağla', 'temsilci', 'yetkili', 'gerçek kişi', |
| 'insan ile', 'operatör', 'canlı destek', 'bağlayın', 'bağlar mısın', |
| 'görüşmek istiyorum', 'konuşmak istiyorum', 'yetkiliye bağla', |
| 'müşteri hizmetleri', 'çağrı merkezi', 'santral', 'bağla' |
| ] |
| |
| clean_message = user_message.lower().strip() |
|
|
| |
| plus_models = ['fuel', 'domane', 'fx', 'ds', 'verve', 'townie', 'allant'] |
| for model in plus_models: |
| |
| clean_message = clean_message.replace(f'{model} + ', f'{model}+ ') |
| |
| if f'{model} lx' in clean_message: |
| clean_message = clean_message.replace(f'{model} lx', f'{model}+ lx') |
|
|
| for phrase in live_support_phrases: |
| if phrase in clean_message: |
| return None |
| |
| |
| non_product_words = [ |
| 'süper', 'harika', 'güzel', 'teşekkürler', 'teşekkür', 'tamam', 'olur', |
| 'evet', 'hayır', 'merhaba', 'selam', 'iyi', 'kötü', 'fena', 'muhteşem', |
| 'mükemmel', 'berbat', 'idare eder', 'olabilir', 'değil', 'var', 'yok', |
| 'anladım', 'anlaşıldı', 'peki', 'tamamdır', 'ok', 'okay', 'aynen', |
| 'kesinlikle', 'elbette', 'tabii', 'tabiki', 'doğru', 'yanlış' |
| ] |
| |
| |
| if clean_message in non_product_words: |
| return None |
|
|
| |
| brand_keywords = ['gobik', 'trek', 'bontrager', 'kask', 'shimano', 'sram', 'garmin', 'wahoo'] |
|
|
| |
| contains_brand = any(brand in clean_message for brand in brand_keywords) |
|
|
| |
| |
| if not contains_brand and len(clean_message.split()) == 1 and len(clean_message) < 5: |
| |
| return None |
| |
| |
| |
| question_indicators = [ |
| 'musun', 'müsün', 'misin', 'mısın', 'miyim', 'mıyım', |
| 'musunuz', 'müsünüz', 'misiniz', 'mısınız', |
| 'neden', 'nasıl', 'ne zaman', 'kim', 'nerede', 'nereye', |
| 'ulaşamıyor', 'yapamıyor', 'gönderemiyor', 'edemiyor', |
| '?' |
| ] |
|
|
| |
| |
| if not contains_brand: |
| for indicator in question_indicators: |
| if indicator in clean_message: |
| return None |
| |
| |
| def normalize_for_cache(text): |
| """Normalize text for cache key""" |
| tr_map = {'İ': 'i', 'I': 'i', 'ı': 'i', 'Ğ': 'g', 'ğ': 'g', 'Ü': 'u', 'ü': 'u', |
| 'Ş': 's', 'ş': 's', 'Ö': 'o', 'ö': 'o', 'Ç': 'c', 'ç': 'c'} |
| for tr, en in tr_map.items(): |
| text = text.replace(tr, en) |
| return text.lower().strip() |
| |
| |
| cache_key = normalize_for_cache(user_message) |
| current_time = time.time() |
| |
| if cache_key in cache['search_results']: |
| cached = cache['search_results'][cache_key] |
| if current_time - cached['time'] < CACHE_DURATION: |
| cache_age = (current_time - cached['time']) / 60 |
| return cached['data'] |
| else: |
| pass |
| |
| OPENAI_API_KEY = os.getenv("OPENAI_API_KEY") |
| |
| |
| warehouse_keywords = { |
| 'caddebostan': 'Caddebostan', |
| 'ortaköy': 'Ortaköy', |
| 'ortakoy': 'Ortaköy', |
| 'alsancak': 'Alsancak', |
| 'izmir': 'Alsancak', |
| 'bahçeköy': 'Bahçeköy', |
| 'bahcekoy': 'Bahçeköy', |
| 'sarıyer': 'Bahçeköy', |
| 'sariyer': 'Bahçeköy' |
| } |
| |
| user_lower = user_message.lower() |
| asked_warehouse = None |
| for keyword, warehouse in warehouse_keywords.items(): |
| if keyword in user_lower: |
| asked_warehouse = warehouse |
| break |
| |
| |
| xml_text = get_cached_warehouse_xml() |
| if not xml_text: |
| return None |
| |
| |
| product_pattern = r'<Product>(.*?)</Product>' |
| all_products = re.findall(product_pattern, xml_text, re.DOTALL) |
| |
| |
| products_summary = [] |
| for i, product_block in enumerate(all_products): |
| name_match = re.search(r'<ProductName><!\[CDATA\[(.*?)\]\]></ProductName>', product_block) |
| variant_match = re.search(r'<ProductVariant><!\[CDATA\[(.*?)\]\]></ProductVariant>', product_block) |
| |
| if name_match: |
| warehouses_with_stock = [] |
| warehouse_regex = r'<Warehouse>.*?<Name><!\[CDATA\[(.*?)\]\]></Name>.*?<Stock>(.*?)</Stock>.*?</Warehouse>' |
| warehouses = re.findall(warehouse_regex, product_block, re.DOTALL) |
| |
| for wh_name, wh_stock in warehouses: |
| try: |
| if int(wh_stock.strip()) > 0: |
| warehouses_with_stock.append(wh_name) |
| except: |
| pass |
| |
| product_info = { |
| "index": i, |
| "name": name_match.group(1), |
| "variant": variant_match.group(1) if variant_match else "", |
| "warehouses": warehouses_with_stock |
| } |
| products_summary.append(product_info) |
| |
| |
| warehouse_filter = "" |
| if asked_warehouse: |
| warehouse_filter = f"\nIMPORTANT: User is asking specifically about {asked_warehouse} warehouse. Only return products available in that warehouse." |
| |
| |
| |
| |
| def normalize_turkish(text): |
| text = text.upper() |
| replacements = {'I': 'İ', 'Ç': 'C', 'Ş': 'S', 'Ğ': 'G', 'Ü': 'U', 'Ö': 'O'} |
| |
| text2 = text.replace('İ', 'I') |
| return text, text2 |
| |
| search_term = user_message.upper() |
| search_norm1, search_norm2 = normalize_turkish(search_term) |
| |
| matching_products = [] |
| for p in products_summary: |
| p_name = p['name'].upper() |
| |
| if (search_term in p_name or |
| search_norm1 in p_name or |
| search_norm2 in p_name or |
| search_term.replace('I', 'İ') in p_name): |
| matching_products.append(p) |
| |
| if matching_products: |
| pass |
| else: |
| pass |
| |
| |
| smart_prompt = f"""User is asking: "{user_message}" |
| |
| FIRST CHECK: Is this actually a product search? |
| - If the message is a question about the system, service, or a general inquiry, return: -1 |
| - If the message contains "musun", "misin", "neden", "nasıl", etc. it's likely NOT a product search |
| - Only proceed if this looks like a genuine product name or model |
| |
| Find ALL products that match this query from the list below. |
| If user asks about specific size (S, M, L, XL, XXL, SMALL, MEDIUM, LARGE, X-LARGE), return only that size. |
| If user asks generally (without size), return ALL variants of the product. |
| {warehouse_filter} |
| |
| CRITICAL TURKISH CHARACTER RULES: |
| - "MARLIN" and "MARLİN" are the SAME product (Turkish İ vs I) |
| - Treat these as equivalent: I/İ/ı, Ö/ö, Ü/ü, Ş/ş, Ğ/ğ, Ç/ç |
| - If user writes "Marlin", also match "MARLİN" in the list |
| |
| IMPORTANT BRAND AND PRODUCT TYPE RULES: |
| - GOBIK: Spanish textile brand we import. When user asks about "gobik", return ALL products with "GOBIK" in the name. |
| - Product names contain type information: FORMA (jersey/cycling shirt), TAYT (tights), İÇLİK (base layer), YAĞMURLUK (raincoat), etc. |
| - Understand Turkish/English terms: |
| * "erkek forma" / "men's jersey" -> Find products with FORMA in name |
| * "tayt" / "tights" -> Find products with TAYT in name |
| * "içlik" / "base layer" -> Find products with İÇLİK in name |
| * "yağmurluk" / "raincoat" -> Find products with YAĞMURLUK in name |
| - Gender: UNISEX means for both men and women. If no gender specified, it's typically men's. |
| |
| Products list (with warehouse availability): |
| {json.dumps(products_summary, ensure_ascii=False, indent=2)} |
| |
| Return ONLY index numbers of ALL matching products as comma-separated list (e.g., "5,8,12,15"). |
| If no products found, return ONLY: -1 |
| DO NOT return empty string or any explanation, ONLY numbers or -1 |
| |
| Examples of correct responses: |
| - "2,5,8,12,15,20" (multiple products found) |
| - "45" (single product found) |
| - "-1" (no products found)""" |
|
|
| |
| if not OPENAI_API_KEY: |
| |
| user_message_normalized = user_message.upper() |
| tool_indicators = ['SUPER B', 'ANAHTAR', 'TAKIMI', 'PENSE', 'TOOL', 'ADAPTÖR', 'CONVERTER'] |
| should_skip_trek_lookup = any(indicator in user_message_normalized for indicator in tool_indicators) |
| |
| price, link = None, None |
| if not should_skip_trek_lookup: |
| price, link = get_product_price_and_link(user_message) |
| |
| if price and link: |
| return [ |
| f"🚲 **{user_message.title()}**", |
| f"💰 Fiyat: {price}", |
| f"🔗 Link: {link}", |
| "", |
| "⚠️ **Stok durumu kontrol edilemiyor**", |
| "📞 Güncel stok için mağazalarımızı arayın:", |
| "• Caddebostan: 0543 934 0438", |
| "• Alsancak: 0543 936 2335" |
| ] |
| return None |
| |
| headers = { |
| "Content-Type": "application/json", |
| "Authorization": f"Bearer {OPENAI_API_KEY}" |
| } |
| |
| |
| payload = { |
| "model": "gpt-5.3-chat-latest", |
| "messages": [ |
| {"role": "system", "content": "You are a product matcher. Find ALL matching products. Return only index numbers."}, |
| {"role": "user", "content": smart_prompt} |
| ] |
| } |
| |
| try: |
| response = requests.post( |
| "https://api.openai.com/v1/chat/completions", |
| headers=headers, |
| json=payload, |
| timeout=10 |
| ) |
| |
| if response.status_code == 200: |
| result = response.json() |
| indices_str = result['choices'][0]['message']['content'].strip() |
| |
| |
| if not indices_str or indices_str == "-1": |
| |
| user_message_normalized = user_message.upper() |
| tool_indicators = ['SUPER B', 'ANAHTAR', 'TAKIMI', 'PENSE', 'TOOL', 'ADAPTÖR', 'CONVERTER'] |
| should_skip_trek_lookup = any(indicator in user_message_normalized for indicator in tool_indicators) |
| |
| price, link = None, None |
| if not should_skip_trek_lookup: |
| price, link = get_product_price_and_link(user_message) |
| |
| if price and link: |
| |
| return [ |
| f"🚲 **{user_message.title()}**", |
| f"💰 Fiyat: {price}", |
| f"🔗 Link: {link}", |
| "", |
| "❌ **Stok Durumu: TÜKENDİ**", |
| "", |
| "📞 Stok güncellemesi veya ön sipariş için mağazalarımızı arayabilirsiniz:", |
| "• Caddebostan: 0543 934 0438", |
| "• Alsancak: 0543 936 2335" |
| ] |
| return None |
| |
| try: |
| |
| indices = [] |
| for idx in indices_str.split(','): |
| idx = idx.strip() |
| if idx and idx.isdigit(): |
| indices.append(int(idx)) |
| |
| |
| all_variants = [] |
| warehouse_stock = {} |
| |
| for idx in indices: |
| if 0 <= idx < len(all_products): |
| product_block = all_products[idx] |
| |
| |
| name_match = re.search(r'<ProductName><!\[CDATA\[(.*?)\]\]></ProductName>', product_block) |
| variant_match = re.search(r'<ProductVariant><!\[CDATA\[(.*?)\]\]></ProductVariant>', product_block) |
| productcode_match = re.search(r'<ProductCode><!\[CDATA\[(.*?)\]\]></ProductCode>', product_block) |
| |
| if name_match: |
| product_name = name_match.group(1) |
| variant = variant_match.group(1) if variant_match else "" |
| |
| |
| price, link = None, None |
| |
| |
| product_code = productcode_match.group(1) if productcode_match else None |
| if product_code and product_code.strip(): |
| price, link = get_product_price_and_link_by_sku(product_code.strip()) |
| |
| |
| if not price or not link: |
| |
| |
| product_name_normalized = product_name.upper() |
| |
| |
| tool_indicators = ['SUPER B', 'ANAHTAR', 'TAKIMI', 'PENSE', 'TOOL', 'ADAPTÖR', 'CONVERTER'] |
| |
| should_skip_fallback = any(indicator in product_name_normalized for indicator in tool_indicators) |
| |
| if not should_skip_fallback: |
| price, link = get_product_price_and_link(product_name, variant) |
| |
| variant_info = { |
| 'name': product_name, |
| 'variant': variant, |
| 'price': price, |
| 'link': link, |
| 'warehouses': [] |
| } |
| |
| |
| warehouse_regex = r'<Warehouse>.*?<Name><!\[CDATA\[(.*?)\]\]></Name>.*?<Stock>(.*?)</Stock>.*?</Warehouse>' |
| warehouses = re.findall(warehouse_regex, product_block, re.DOTALL) |
| |
| for wh_name, wh_stock in warehouses: |
| try: |
| stock = int(wh_stock.strip()) |
| if stock > 0: |
| display_name = format_warehouse_name(wh_name) |
| variant_info['warehouses'].append({ |
| 'name': display_name, |
| 'stock': stock |
| }) |
| |
| if display_name not in warehouse_stock: |
| warehouse_stock[display_name] = 0 |
| warehouse_stock[display_name] += stock |
| except: |
| pass |
| |
| if variant_info['warehouses']: |
| all_variants.append(variant_info) |
| |
| |
| result = [] |
| |
| if asked_warehouse: |
| |
| warehouse_variants = [] |
| for variant in all_variants: |
| for wh in variant['warehouses']: |
| if asked_warehouse in wh['name']: |
| warehouse_variants.append(variant) |
| break |
| |
| if warehouse_variants: |
| result.append(f"{format_warehouse_name(asked_warehouse)} mağazasında mevcut:") |
| for v in warehouse_variants: |
| variant_text = f" ({v['variant']})" if v['variant'] else "" |
| result.append(f"• {v['name']}{variant_text}") |
| if v['price']: |
| result.append(f" Fiyat: {v['price']}") |
| if v['link']: |
| result.append(f" Link: {v['link']}") |
| else: |
| result.append(f"{format_warehouse_name(asked_warehouse)} mağazasında bu ürün mevcut değil") |
| else: |
| |
| if all_variants: |
| |
| product_groups = {} |
| for variant in all_variants: |
| if variant['name'] not in product_groups: |
| product_groups[variant['name']] = [] |
| product_groups[variant['name']].append(variant) |
| |
| result.append(f"Bulunan ürünler:") |
| |
| for product_name, variants in product_groups.items(): |
| result.append(f"\n{product_name}:") |
| |
| |
| if variants[0]['price']: |
| result.append(f"Fiyat: {variants[0]['price']}") |
| if variants[0]['link']: |
| result.append(f"Link: {variants[0]['link']}") |
| |
| |
| for v in variants: |
| if v['variant']: |
| warehouses_str = ", ".join([w['name'].replace(' mağazası', '') for w in v['warehouses']]) |
| result.append(f"• {v['variant']}: {warehouses_str}") |
| |
| else: |
| |
| |
| user_message_normalized = user_message.upper() |
| tool_indicators = ['SUPER B', 'ANAHTAR', 'TAKIMI', 'PENSE', 'TOOL', 'ADAPTÖR', 'CONVERTER'] |
| should_skip_trek_lookup = any(indicator in user_message_normalized for indicator in tool_indicators) |
| |
| price, link = None, None |
| if not should_skip_trek_lookup: |
| price, link = get_product_price_and_link(user_message) |
| |
| if price and link: |
| result.append(f"❌ **Stok Durumu: TÜM MAĞAZALARDA TÜKENDİ**") |
| result.append("") |
| result.append(f"💰 Web Fiyatı: {price}") |
| result.append(f"🔗 Ürün Detayları: {link}") |
| result.append("") |
| result.append("📞 Stok güncellemesi veya ön sipariş için:") |
| result.append("• Caddebostan: 0543 934 0438") |
| result.append("• Alsancak: 0543 936 2335") |
| else: |
| return None |
| |
| |
| cache['search_results'][cache_key] = { |
| 'data': result, |
| 'time': current_time |
| } |
| return result |
| |
| except (ValueError, IndexError) as e: |
| return None |
| else: |
| return None |
| |
| except Exception as e: |
| return None |
|
|
| def format_warehouse_name(wh_name): |
| """Format warehouse name nicely""" |
| if "CADDEBOSTAN" in wh_name: |
| return "Caddebostan mağazası" |
| elif "ORTAKÖY" in wh_name: |
| return "Ortaköy mağazası" |
| elif "ALSANCAK" in wh_name: |
| return "İzmir Alsancak mağazası" |
| elif "BAHCEKOY" in wh_name or "BAHÇEKÖY" in wh_name: |
| return "Bahçeköy mağazası" |
| else: |
| return wh_name.replace("MAGAZA DEPO", "").strip() |