Add GPT-5 Powered Intent Analysis for Smart Store Notifications
Browse files🧠 AI-POWERED SYSTEM REPLACES MANUAL TRIGGERS
Features:
✨ GPT-5 analyzes customer intent automatically
✨ No more hardcoded keywords
✨ Understands context and nuance
✨ Multi-intent detection
Intent Types Detected:
• reserve - Product reservation requests
• price - Price inquiries
• stock - Stock availability
• test_ride - Test ride requests
• order - Purchase intentions
• complaint - Customer complaints
• service - Service/repair needs
• info - General information
Smart Analysis Includes:
📊 Confidence score (0-1)
🚨 Urgency level (high/medium/low)
😊 Customer mood (positive/neutral/negative)
🎯 Multiple intents per message
📝 Context awareness from chat history
Notification Decision Making:
• High confidence reservations → Notify
• Urgent stock inquiries → Notify
• Test ride requests → Notify
• Complaints → Notify
• AI recommendation → Notify
Benefits:
✅ Catches subtle intentions manual rules miss
✅ Reduces false positives
✅ Better customer understanding
✅ Smarter notification messages
✅ Works in Turkish and English
Example:
"Yarın gelip alabilirim" → Detected as reservation
"Bu bisiklet çok güzelmiş, acaba..." → Detected as interest/info
"Fiyatı uygun mu?" → Detected as price inquiry
Fallback:
If GPT-5 unavailable, falls back to manual keyword detection
🤖 Generated with [Claude Code](https://claude.ai/code)
Co-Authored-By: Claude <[email protected]>
- app.py +57 -14
- intent_analyzer.py +329 -0
@@ -58,7 +58,8 @@ try:
|
|
58 |
notify_product_reservation,
|
59 |
notify_price_inquiry,
|
60 |
notify_stock_inquiry,
|
61 |
-
send_test_notification
|
|
|
62 |
)
|
63 |
USE_STORE_NOTIFICATION = True
|
64 |
logger.info("✅ Store Notification System loaded")
|
@@ -66,6 +67,19 @@ except ImportError:
|
|
66 |
USE_STORE_NOTIFICATION = False
|
67 |
logger.info("❌ Store Notification System not available")
|
68 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
69 |
# API ayarları
|
70 |
API_URL = "https://api.openai.com/v1/chat/completions"
|
71 |
OPENAI_API_KEY = os.getenv("OPENAI_API_KEY")
|
@@ -968,26 +982,55 @@ def process_whatsapp_message_with_media(user_message, phone_number, media_urls,
|
|
968 |
def process_whatsapp_message_with_memory(user_message, phone_number):
|
969 |
"""Hafızalı WhatsApp mesaj işleme"""
|
970 |
try:
|
971 |
-
# 🔔 Mağaza
|
972 |
-
if USE_STORE_NOTIFICATION:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
973 |
lower_msg = user_message.lower()
|
974 |
|
975 |
-
# Ayırtma/rezervasyon talebi
|
976 |
if any(keyword in lower_msg for keyword in ["ayırt", "rezerve", "ayır", "tut", "sakla"]):
|
977 |
-
# Son konuşulan ürünü bul
|
978 |
context = get_conversation_context(phone_number)
|
979 |
if context.get("current_category"):
|
980 |
product = context["current_category"]
|
981 |
notify_product_reservation(phone_number, product)
|
982 |
-
logger.info(f"🔔
|
983 |
-
|
984 |
-
# Fiyat sorusu
|
985 |
-
elif any(keyword in lower_msg for keyword in ["fiyat", "kaç para", "ne kadar", "ücret"]):
|
986 |
-
context = get_conversation_context(phone_number)
|
987 |
-
if context.get("current_category"):
|
988 |
-
product = context["current_category"]
|
989 |
-
notify_price_inquiry(phone_number, product)
|
990 |
-
logger.info(f"💰 Fiyat bildirimi gönderildi: {product}")
|
991 |
|
992 |
# 🧠 Pasif profil analizi - kullanıcı mesajını analiz et
|
993 |
profile_analysis = analyze_user_message(phone_number, user_message)
|
|
|
58 |
notify_product_reservation,
|
59 |
notify_price_inquiry,
|
60 |
notify_stock_inquiry,
|
61 |
+
send_test_notification,
|
62 |
+
send_store_notification
|
63 |
)
|
64 |
USE_STORE_NOTIFICATION = True
|
65 |
logger.info("✅ Store Notification System loaded")
|
|
|
67 |
USE_STORE_NOTIFICATION = False
|
68 |
logger.info("❌ Store Notification System not available")
|
69 |
|
70 |
+
# Import Intent Analyzer
|
71 |
+
try:
|
72 |
+
from intent_analyzer import (
|
73 |
+
analyze_customer_intent,
|
74 |
+
should_notify_store,
|
75 |
+
get_smart_notification_message
|
76 |
+
)
|
77 |
+
USE_INTENT_ANALYZER = True
|
78 |
+
logger.info("✅ GPT-5 Intent Analyzer loaded")
|
79 |
+
except ImportError:
|
80 |
+
USE_INTENT_ANALYZER = False
|
81 |
+
logger.info("❌ Intent Analyzer not available")
|
82 |
+
|
83 |
# API ayarları
|
84 |
API_URL = "https://api.openai.com/v1/chat/completions"
|
85 |
OPENAI_API_KEY = os.getenv("OPENAI_API_KEY")
|
|
|
982 |
def process_whatsapp_message_with_memory(user_message, phone_number):
|
983 |
"""Hafızalı WhatsApp mesaj işleme"""
|
984 |
try:
|
985 |
+
# 🔔 Akıllı Mağaza Bildirimi (GPT-5 Intent Analyzer)
|
986 |
+
if USE_STORE_NOTIFICATION and USE_INTENT_ANALYZER:
|
987 |
+
# Sohbet bağlamını al
|
988 |
+
context = get_conversation_context(phone_number)
|
989 |
+
|
990 |
+
# GPT-5 ile niyet analizi yap
|
991 |
+
intent_analysis = analyze_customer_intent(user_message, context)
|
992 |
+
|
993 |
+
# Bildirim gerekli mi kontrol et
|
994 |
+
should_notify, reason = should_notify_store(intent_analysis)
|
995 |
+
|
996 |
+
if should_notify:
|
997 |
+
# Akıllı bildirim mesajı oluştur
|
998 |
+
notification_msg = get_smart_notification_message(
|
999 |
+
intent_analysis,
|
1000 |
+
phone_number,
|
1001 |
+
user_message
|
1002 |
+
)
|
1003 |
+
|
1004 |
+
# Ürün bilgisi varsa kullan
|
1005 |
+
product = intent_analysis.get("product") or context.get("current_category") or "Belirtilmemiş"
|
1006 |
+
|
1007 |
+
# Bildirim gönder
|
1008 |
+
result = send_store_notification(
|
1009 |
+
customer_phone=phone_number,
|
1010 |
+
customer_name=None,
|
1011 |
+
product_name=product,
|
1012 |
+
action=intent_analysis.get("intents", ["info"])[0], # İlk niyet
|
1013 |
+
store_name=intent_analysis.get("store"),
|
1014 |
+
additional_info=notification_msg
|
1015 |
+
)
|
1016 |
+
|
1017 |
+
if result:
|
1018 |
+
logger.info(f"🔔 AI Bildirim gönderildi: {reason}")
|
1019 |
+
logger.info(f" Niyetler: {intent_analysis.get('intents')}")
|
1020 |
+
logger.info(f" Güven: {intent_analysis.get('confidence', 0):.2%}")
|
1021 |
+
else:
|
1022 |
+
logger.error("❌ Bildirim gönderilemedi")
|
1023 |
+
|
1024 |
+
elif USE_STORE_NOTIFICATION and not USE_INTENT_ANALYZER:
|
1025 |
+
# Fallback: Manuel kontroller (eski sistem)
|
1026 |
lower_msg = user_message.lower()
|
1027 |
|
|
|
1028 |
if any(keyword in lower_msg for keyword in ["ayırt", "rezerve", "ayır", "tut", "sakla"]):
|
|
|
1029 |
context = get_conversation_context(phone_number)
|
1030 |
if context.get("current_category"):
|
1031 |
product = context["current_category"]
|
1032 |
notify_product_reservation(phone_number, product)
|
1033 |
+
logger.info(f"🔔 Manuel rezervasyon bildirimi: {product}")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1034 |
|
1035 |
# 🧠 Pasif profil analizi - kullanıcı mesajını analiz et
|
1036 |
profile_analysis = analyze_user_message(phone_number, user_message)
|
@@ -0,0 +1,329 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
#!/usr/bin/env python3
|
2 |
+
# -*- coding: utf-8 -*-
|
3 |
+
|
4 |
+
"""
|
5 |
+
GPT-5 Powered Intent Analyzer
|
6 |
+
Müşteri mesajlarından niyeti anlar ve aksiyonları belirler
|
7 |
+
"""
|
8 |
+
|
9 |
+
import os
|
10 |
+
import json
|
11 |
+
import requests
|
12 |
+
import logging
|
13 |
+
from typing import Dict, Optional, List, Tuple
|
14 |
+
|
15 |
+
logger = logging.getLogger(__name__)
|
16 |
+
|
17 |
+
# OpenAI API
|
18 |
+
OPENAI_API_KEY = os.getenv("OPENAI_API_KEY")
|
19 |
+
API_URL = "https://api.openai.com/v1/chat/completions"
|
20 |
+
|
21 |
+
def analyze_customer_intent(
|
22 |
+
message: str,
|
23 |
+
context: Optional[Dict] = None
|
24 |
+
) -> Dict:
|
25 |
+
"""
|
26 |
+
GPT-5 ile müşteri niyetini analiz et
|
27 |
+
|
28 |
+
Args:
|
29 |
+
message: Müşteri mesajı
|
30 |
+
context: Sohbet bağlamı (varsa)
|
31 |
+
|
32 |
+
Returns:
|
33 |
+
{
|
34 |
+
"intents": ["reserve", "price", "stock", "info"],
|
35 |
+
"product": "FX 2",
|
36 |
+
"confidence": 0.95,
|
37 |
+
"store": "caddebostan", # Eğer belirtildiyse
|
38 |
+
"urgency": "high/medium/low",
|
39 |
+
"customer_mood": "positive/neutral/negative",
|
40 |
+
"suggested_action": "notify_store/answer_directly/both",
|
41 |
+
"notification_message": "Özel mesaj"
|
42 |
+
}
|
43 |
+
"""
|
44 |
+
|
45 |
+
if not OPENAI_API_KEY:
|
46 |
+
logger.error("OpenAI API key missing")
|
47 |
+
return {"intents": [], "confidence": 0}
|
48 |
+
|
49 |
+
# Sistem promptu
|
50 |
+
system_prompt = """Sen bir müşteri niyet analiz uzmanısın. Trek bisiklet mağazası için müşteri mesajlarını analiz ediyorsun.
|
51 |
+
|
52 |
+
GÖREV: Müşteri mesajını analiz et ve JSON formatında döndür.
|
53 |
+
|
54 |
+
NİYET TİPLERİ:
|
55 |
+
- "reserve": Ürünü ayırtmak, rezerve etmek, tutmak istiyor
|
56 |
+
- "price": Fiyat bilgisi istiyor
|
57 |
+
- "stock": Stok durumu soruyor
|
58 |
+
- "info": Genel bilgi istiyor
|
59 |
+
- "complaint": Şikayet ediyor
|
60 |
+
- "order": Sipariş vermek istiyor
|
61 |
+
- "test_ride": Test sürüşü istiyor
|
62 |
+
- "service": Servis/tamir istiyor
|
63 |
+
- "none": Belirgin bir niyet yok
|
64 |
+
|
65 |
+
ÖRNEK CÜMLELER:
|
66 |
+
- "bu bisikleti ayırtabilir misiniz" → reserve
|
67 |
+
- "yarın gelip alabilirim" → reserve
|
68 |
+
- "benim için tutun" → reserve
|
69 |
+
- "fiyatı nedir" → price
|
70 |
+
- "kaç para" → price
|
71 |
+
- "var mı" → stock
|
72 |
+
- "stokta mı" → stock
|
73 |
+
- "özellikleri nelerdir" → info
|
74 |
+
- "test edebilir miyim" → test_ride
|
75 |
+
|
76 |
+
ACİLİYET:
|
77 |
+
- high: Hemen aksiyon gerekiyor (ayırtma, hemen alma isteği)
|
78 |
+
- medium: Normal takip yeterli
|
79 |
+
- low: Bilgi amaçlı
|
80 |
+
|
81 |
+
JSON FORMATI:
|
82 |
+
{
|
83 |
+
"intents": ["reserve", "price"], // Birden fazla olabilir
|
84 |
+
"product": "FX 2", // Eğer üründen bahsediyorsa
|
85 |
+
"confidence": 0.95, // 0-1 arası güven skoru
|
86 |
+
"store": null, // Mağaza adı varsa
|
87 |
+
"urgency": "high",
|
88 |
+
"customer_mood": "positive",
|
89 |
+
"suggested_action": "notify_store", // notify_store, answer_directly, both, none
|
90 |
+
"notification_required": true,
|
91 |
+
"notification_reason": "Müşteri FX 2'yi ayırtmak istiyor"
|
92 |
+
}"""
|
93 |
+
|
94 |
+
# Bağlam varsa ekle
|
95 |
+
context_info = ""
|
96 |
+
if context:
|
97 |
+
if context.get("current_category"):
|
98 |
+
context_info = f"\nSON KONUŞULAN ÜRÜN: {context['current_category']}"
|
99 |
+
if context.get("messages"):
|
100 |
+
last_msg = context["messages"][-1] if context["messages"] else None
|
101 |
+
if last_msg:
|
102 |
+
context_info += f"\nÖNCEKİ MESAJ: {last_msg.get('user', '')}"
|
103 |
+
|
104 |
+
# GPT-5'e gönder
|
105 |
+
try:
|
106 |
+
messages = [
|
107 |
+
{"role": "system", "content": system_prompt},
|
108 |
+
{"role": "user", "content": f"Müşteri mesajı: \"{message}\"{context_info}\n\nJSON formatında analiz et:"}
|
109 |
+
]
|
110 |
+
|
111 |
+
payload = {
|
112 |
+
"model": "gpt-5-chat-latest",
|
113 |
+
"messages": messages,
|
114 |
+
"temperature": 0,
|
115 |
+
"max_tokens": 300,
|
116 |
+
"response_format": {"type": "json_object"} # JSON garantisi
|
117 |
+
}
|
118 |
+
|
119 |
+
headers = {
|
120 |
+
"Content-Type": "application/json",
|
121 |
+
"Authorization": f"Bearer {OPENAI_API_KEY}"
|
122 |
+
}
|
123 |
+
|
124 |
+
response = requests.post(API_URL, headers=headers, json=payload, timeout=10)
|
125 |
+
|
126 |
+
if response.status_code == 200:
|
127 |
+
result = response.json()
|
128 |
+
analysis = json.loads(result['choices'][0]['message']['content'])
|
129 |
+
|
130 |
+
logger.info(f"🧠 Intent Analysis: {analysis}")
|
131 |
+
return analysis
|
132 |
+
else:
|
133 |
+
logger.error(f"GPT-5 API error: {response.status_code}")
|
134 |
+
return {"intents": [], "confidence": 0}
|
135 |
+
|
136 |
+
except Exception as e:
|
137 |
+
logger.error(f"Intent analysis error: {e}")
|
138 |
+
return {"intents": [], "confidence": 0}
|
139 |
+
|
140 |
+
def should_notify_store(analysis: Dict) -> Tuple[bool, str]:
|
141 |
+
"""
|
142 |
+
Mağazaya bildirim gönderilmeli mi?
|
143 |
+
|
144 |
+
Returns:
|
145 |
+
(should_notify, reason)
|
146 |
+
"""
|
147 |
+
|
148 |
+
# Yüksek güvenle rezervasyon talebi
|
149 |
+
if "reserve" in analysis.get("intents", []) and analysis.get("confidence", 0) > 0.7:
|
150 |
+
return True, "Müşteri ürünü ayırtmak istiyor"
|
151 |
+
|
152 |
+
# Acil stok sorusu
|
153 |
+
if "stock" in analysis.get("intents", []) and analysis.get("urgency") == "high":
|
154 |
+
return True, "Müşteri acil stok bilgisi istiyor"
|
155 |
+
|
156 |
+
# Test sürüşü talebi
|
157 |
+
if "test_ride" in analysis.get("intents", []):
|
158 |
+
return True, "Müşteri test sürüşü talep ediyor"
|
159 |
+
|
160 |
+
# Sipariş vermek istiyor
|
161 |
+
if "order" in analysis.get("intents", []) and analysis.get("confidence", 0) > 0.8:
|
162 |
+
return True, "Müşteri sipariş vermek istiyor"
|
163 |
+
|
164 |
+
# Şikayet varsa
|
165 |
+
if "complaint" in analysis.get("intents", []):
|
166 |
+
return True, "Müşteri şikayette bulunuyor"
|
167 |
+
|
168 |
+
# GPT öneriyorsa
|
169 |
+
if analysis.get("suggested_action") in ["notify_store", "both"]:
|
170 |
+
return True, analysis.get("notification_reason", "GPT-5 bildirim öneriyor")
|
171 |
+
|
172 |
+
return False, ""
|
173 |
+
|
174 |
+
def get_smart_notification_message(
|
175 |
+
analysis: Dict,
|
176 |
+
customer_phone: str,
|
177 |
+
original_message: str
|
178 |
+
) -> str:
|
179 |
+
"""
|
180 |
+
Analiz sonucuna göre akıllı bildirim mesajı oluştur
|
181 |
+
"""
|
182 |
+
|
183 |
+
intents = analysis.get("intents", [])
|
184 |
+
product = analysis.get("product", "Belirtilmemiş")
|
185 |
+
urgency = analysis.get("urgency", "medium")
|
186 |
+
mood = analysis.get("customer_mood", "neutral")
|
187 |
+
|
188 |
+
# Emoji seçimi
|
189 |
+
if "reserve" in intents:
|
190 |
+
emoji = "🔔"
|
191 |
+
title = "AYIRTMA TALEBİ"
|
192 |
+
elif "price" in intents:
|
193 |
+
emoji = "💰"
|
194 |
+
title = "FİYAT SORUSU"
|
195 |
+
elif "stock" in intents:
|
196 |
+
emoji = "📦"
|
197 |
+
title = "STOK SORUSU"
|
198 |
+
elif "test_ride" in intents:
|
199 |
+
emoji = "🚴"
|
200 |
+
title = "TEST SÜRÜŞÜ TALEBİ"
|
201 |
+
elif "complaint" in intents:
|
202 |
+
emoji = "⚠️"
|
203 |
+
title = "ŞİKAYET"
|
204 |
+
elif "order" in intents:
|
205 |
+
emoji = "🛒"
|
206 |
+
title = "SİPARİŞ TALEBİ"
|
207 |
+
else:
|
208 |
+
emoji = "ℹ️"
|
209 |
+
title = "MÜŞTERİ TALEBİ"
|
210 |
+
|
211 |
+
# Aciliyet vurgusu
|
212 |
+
if urgency == "high":
|
213 |
+
title = f"🚨 ACİL - {title}"
|
214 |
+
|
215 |
+
# Mesaj oluştur
|
216 |
+
from datetime import datetime
|
217 |
+
now = datetime.now()
|
218 |
+
date_str = now.strftime("%d.%m.%Y %H:%M")
|
219 |
+
|
220 |
+
message_parts = [
|
221 |
+
f"{emoji} **{title}**",
|
222 |
+
f"📅 {date_str}",
|
223 |
+
"",
|
224 |
+
f"👤 **Müşteri:** {customer_phone.replace('whatsapp:', '')}",
|
225 |
+
f"🚲 **Ürün:** {product}",
|
226 |
+
f"💬 **Mesaj:** \"{original_message}\"",
|
227 |
+
"",
|
228 |
+
"📊 **AI Analizi:**"
|
229 |
+
]
|
230 |
+
|
231 |
+
# Niyet listesi
|
232 |
+
intent_map = {
|
233 |
+
"reserve": "✓ Ayırtma isteği",
|
234 |
+
"price": "✓ Fiyat bilgisi",
|
235 |
+
"stock": "✓ Stok durumu",
|
236 |
+
"test_ride": "✓ Test sürüşü",
|
237 |
+
"order": "✓ Sipariş",
|
238 |
+
"complaint": "✓ Şikayet",
|
239 |
+
"info": "✓ Bilgi talebi"
|
240 |
+
}
|
241 |
+
|
242 |
+
for intent in intents:
|
243 |
+
if intent in intent_map:
|
244 |
+
message_parts.append(f" {intent_map[intent]}")
|
245 |
+
|
246 |
+
# Müşteri durumu
|
247 |
+
mood_map = {
|
248 |
+
"positive": "😊 Pozitif",
|
249 |
+
"neutral": "😐 Nötr",
|
250 |
+
"negative": "😟 Negatif"
|
251 |
+
}
|
252 |
+
message_parts.append(f" Müşteri Durumu: {mood_map.get(mood, mood)}")
|
253 |
+
message_parts.append(f" Aciliyet: {'🔴 Yüksek' if urgency == 'high' else '🟡 Orta' if urgency == 'medium' else '🟢 Düşük'}")
|
254 |
+
|
255 |
+
# Önerilen aksiyon
|
256 |
+
message_parts.extend([
|
257 |
+
"",
|
258 |
+
"✅ **Önerilen Aksiyon:**"
|
259 |
+
])
|
260 |
+
|
261 |
+
if "reserve" in intents:
|
262 |
+
message_parts.extend([
|
263 |
+
"1. Stok kontrolü yapın",
|
264 |
+
"2. Müşteriyi hemen arayın",
|
265 |
+
"3. Ödeme ve teslimat planı belirleyin"
|
266 |
+
])
|
267 |
+
elif "test_ride" in intents:
|
268 |
+
message_parts.extend([
|
269 |
+
"1. Test bisikleti hazırlığı",
|
270 |
+
"2. Randevu ayarlayın",
|
271 |
+
"3. Kimlik ve güvenlik prosedürü"
|
272 |
+
])
|
273 |
+
elif "complaint" in intents:
|
274 |
+
message_parts.extend([
|
275 |
+
"1. Müşteriyi hemen arayın",
|
276 |
+
"2. Sorunu dinleyin",
|
277 |
+
"3. Çözüm önerisi sunun"
|
278 |
+
])
|
279 |
+
else:
|
280 |
+
message_parts.append("Müşteri ile iletişime geçin")
|
281 |
+
|
282 |
+
message_parts.extend([
|
283 |
+
"",
|
284 |
+
"---",
|
285 |
+
"Trek AI Assistant"
|
286 |
+
])
|
287 |
+
|
288 |
+
return "\n".join(message_parts)
|
289 |
+
|
290 |
+
# Test fonksiyonu
|
291 |
+
def test_intent_analysis():
|
292 |
+
"""Test senaryoları"""
|
293 |
+
|
294 |
+
test_messages = [
|
295 |
+
"FX 2'yi ayırtabilir misiniz?",
|
296 |
+
"Marlin 5'in fiyatı ne kadar?",
|
297 |
+
"Stokta var mı?",
|
298 |
+
"Yarın gelip alabilirim",
|
299 |
+
"Test sürüşü yapabilir miyim?",
|
300 |
+
"Bisikletim bozuldu",
|
301 |
+
"Teşekkürler",
|
302 |
+
"Merhaba",
|
303 |
+
"Sipariş vermek istiyorum"
|
304 |
+
]
|
305 |
+
|
306 |
+
print("\n" + "="*60)
|
307 |
+
print("INTENT ANALYSIS TEST")
|
308 |
+
print("="*60)
|
309 |
+
|
310 |
+
for msg in test_messages:
|
311 |
+
print(f"\n📝 Mesaj: \"{msg}\"")
|
312 |
+
analysis = analyze_customer_intent(msg)
|
313 |
+
|
314 |
+
if analysis.get("intents"):
|
315 |
+
print(f"🎯 Niyetler: {', '.join(analysis['intents'])}")
|
316 |
+
print(f"📊 Güven: {analysis.get('confidence', 0):.2%}")
|
317 |
+
print(f"🚨 Aciliyet: {analysis.get('urgency', 'unknown')}")
|
318 |
+
|
319 |
+
should_notify, reason = should_notify_store(analysis)
|
320 |
+
print(f"🔔 Bildirim: {'EVET' if should_notify else 'HAYIR'}")
|
321 |
+
if reason:
|
322 |
+
print(f" Sebep: {reason}")
|
323 |
+
else:
|
324 |
+
print("❌ Niyet tespit edilemedi")
|
325 |
+
|
326 |
+
print("\n" + "="*60)
|
327 |
+
|
328 |
+
if __name__ == "__main__":
|
329 |
+
test_intent_analysis()
|