2026-01-14 19:25:22 +08:00
|
|
|
|
"""
|
|
|
|
|
|
Chatwoot API Client for B2B Shopping AI Assistant
|
|
|
|
|
|
"""
|
|
|
|
|
|
from typing import Any, Optional
|
|
|
|
|
|
from dataclasses import dataclass
|
|
|
|
|
|
from enum import Enum
|
|
|
|
|
|
|
|
|
|
|
|
import httpx
|
|
|
|
|
|
|
|
|
|
|
|
from config import settings
|
|
|
|
|
|
from utils.logger import get_logger
|
|
|
|
|
|
|
|
|
|
|
|
logger = get_logger(__name__)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
class MessageType(str, Enum):
|
|
|
|
|
|
"""Chatwoot message types"""
|
|
|
|
|
|
INCOMING = "incoming"
|
|
|
|
|
|
OUTGOING = "outgoing"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
class ConversationStatus(str, Enum):
|
|
|
|
|
|
"""Chatwoot conversation status"""
|
|
|
|
|
|
OPEN = "open"
|
|
|
|
|
|
RESOLVED = "resolved"
|
|
|
|
|
|
PENDING = "pending"
|
|
|
|
|
|
SNOOZED = "snoozed"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
@dataclass
|
|
|
|
|
|
class ChatwootMessage:
|
|
|
|
|
|
"""Chatwoot message structure"""
|
|
|
|
|
|
id: int
|
|
|
|
|
|
content: str
|
|
|
|
|
|
message_type: str
|
|
|
|
|
|
conversation_id: int
|
|
|
|
|
|
sender_type: Optional[str] = None
|
|
|
|
|
|
sender_id: Optional[int] = None
|
|
|
|
|
|
private: bool = False
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
@dataclass
|
|
|
|
|
|
class ChatwootContact:
|
|
|
|
|
|
"""Chatwoot contact structure"""
|
|
|
|
|
|
id: int
|
|
|
|
|
|
name: Optional[str] = None
|
|
|
|
|
|
email: Optional[str] = None
|
|
|
|
|
|
phone_number: Optional[str] = None
|
|
|
|
|
|
custom_attributes: Optional[dict[str, Any]] = None
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
class ChatwootClient:
|
|
|
|
|
|
"""Chatwoot API Client"""
|
|
|
|
|
|
|
|
|
|
|
|
def __init__(
|
|
|
|
|
|
self,
|
|
|
|
|
|
api_url: Optional[str] = None,
|
|
|
|
|
|
api_token: Optional[str] = None,
|
2026-01-16 16:28:47 +08:00
|
|
|
|
account_id: int = 2
|
2026-01-14 19:25:22 +08:00
|
|
|
|
):
|
|
|
|
|
|
"""Initialize Chatwoot client
|
2026-01-16 16:28:47 +08:00
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
Args:
|
|
|
|
|
|
api_url: Chatwoot API URL, defaults to settings
|
|
|
|
|
|
api_token: API access token, defaults to settings
|
|
|
|
|
|
account_id: Chatwoot account ID
|
|
|
|
|
|
"""
|
|
|
|
|
|
self.api_url = (api_url or settings.chatwoot_api_url).rstrip("/")
|
|
|
|
|
|
self.api_token = api_token or settings.chatwoot_api_token
|
|
|
|
|
|
self.account_id = account_id
|
|
|
|
|
|
self._client: Optional[httpx.AsyncClient] = None
|
2026-01-16 16:28:47 +08:00
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
logger.info("Chatwoot client initialized", api_url=self.api_url)
|
|
|
|
|
|
|
|
|
|
|
|
async def _get_client(self) -> httpx.AsyncClient:
|
|
|
|
|
|
"""Get or create HTTP client"""
|
|
|
|
|
|
if self._client is None:
|
|
|
|
|
|
self._client = httpx.AsyncClient(
|
|
|
|
|
|
base_url=f"{self.api_url}/api/v1/accounts/{self.account_id}",
|
|
|
|
|
|
headers={
|
|
|
|
|
|
"api_access_token": self.api_token,
|
|
|
|
|
|
"Content-Type": "application/json"
|
|
|
|
|
|
},
|
|
|
|
|
|
timeout=30.0
|
|
|
|
|
|
)
|
|
|
|
|
|
return self._client
|
|
|
|
|
|
|
|
|
|
|
|
async def close(self) -> None:
|
|
|
|
|
|
"""Close HTTP client"""
|
|
|
|
|
|
if self._client:
|
|
|
|
|
|
await self._client.aclose()
|
|
|
|
|
|
self._client = None
|
|
|
|
|
|
|
|
|
|
|
|
# ============ Messages ============
|
|
|
|
|
|
|
|
|
|
|
|
async def send_message(
|
|
|
|
|
|
self,
|
|
|
|
|
|
conversation_id: int,
|
|
|
|
|
|
content: str,
|
|
|
|
|
|
message_type: MessageType = MessageType.OUTGOING,
|
|
|
|
|
|
private: bool = False
|
|
|
|
|
|
) -> dict[str, Any]:
|
|
|
|
|
|
"""Send a message to a conversation
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: Conversation ID
|
|
|
|
|
|
content: Message content
|
|
|
|
|
|
message_type: Message type (incoming/outgoing)
|
|
|
|
|
|
private: Whether message is private (internal note)
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
Created message data
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
payload = {
|
|
|
|
|
|
"content": content,
|
|
|
|
|
|
"message_type": message_type.value,
|
|
|
|
|
|
"private": private
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.post(
|
|
|
|
|
|
f"/conversations/{conversation_id}/messages",
|
|
|
|
|
|
json=payload
|
|
|
|
|
|
)
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
data = response.json()
|
|
|
|
|
|
logger.debug(
|
|
|
|
|
|
"Message sent",
|
|
|
|
|
|
conversation_id=conversation_id,
|
|
|
|
|
|
message_id=data.get("id")
|
|
|
|
|
|
)
|
|
|
|
|
|
return data
|
|
|
|
|
|
|
|
|
|
|
|
async def send_rich_message(
|
|
|
|
|
|
self,
|
|
|
|
|
|
conversation_id: int,
|
|
|
|
|
|
content: str,
|
|
|
|
|
|
content_type: str,
|
|
|
|
|
|
content_attributes: dict[str, Any]
|
|
|
|
|
|
) -> dict[str, Any]:
|
|
|
|
|
|
"""Send a rich message (cards, buttons, etc.)
|
2026-01-20 14:51:30 +08:00
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: Conversation ID
|
|
|
|
|
|
content: Fallback text content
|
|
|
|
|
|
content_type: Rich content type (cards, input_select, etc.)
|
|
|
|
|
|
content_attributes: Rich content attributes
|
2026-01-20 14:51:30 +08:00
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
Returns:
|
|
|
|
|
|
Created message data
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
2026-01-20 14:51:30 +08:00
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
payload = {
|
|
|
|
|
|
"content": content,
|
|
|
|
|
|
"message_type": MessageType.OUTGOING.value,
|
|
|
|
|
|
"content_type": content_type,
|
|
|
|
|
|
"content_attributes": content_attributes
|
|
|
|
|
|
}
|
2026-01-20 14:51:30 +08:00
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
response = await client.post(
|
|
|
|
|
|
f"/conversations/{conversation_id}/messages",
|
|
|
|
|
|
json=payload
|
|
|
|
|
|
)
|
|
|
|
|
|
response.raise_for_status()
|
2026-01-20 14:51:30 +08:00
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
return response.json()
|
2026-01-20 14:51:30 +08:00
|
|
|
|
|
|
|
|
|
|
async def send_order_card(
|
|
|
|
|
|
self,
|
|
|
|
|
|
conversation_id: int,
|
|
|
|
|
|
order_data: dict[str, Any],
|
|
|
|
|
|
actions: list[dict[str, Any]]
|
|
|
|
|
|
) -> dict[str, Any]:
|
|
|
|
|
|
"""发送订单卡片消息(Markdown 文本 + 操作按钮)
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: 会话 ID
|
|
|
|
|
|
order_data: 订单数据,包含:
|
|
|
|
|
|
- order_id: 订单号
|
|
|
|
|
|
- status: 订单状态
|
|
|
|
|
|
- status_text: 状态文本
|
|
|
|
|
|
- created_at: 下单时间(可选)
|
|
|
|
|
|
- items: 商品列表(可选)
|
|
|
|
|
|
- total_amount: 总金额
|
|
|
|
|
|
- shipping_fee: 运费(可选)
|
|
|
|
|
|
- logistics: 物流信息(可选)
|
|
|
|
|
|
- remark: 备注(可选)
|
|
|
|
|
|
actions: 操作按钮配置列表,每个按钮包含:
|
|
|
|
|
|
- type: "link" 或 "postback"
|
|
|
|
|
|
- text: 按钮文字
|
|
|
|
|
|
- uri: 链接地址(type=link 时必需)
|
|
|
|
|
|
- payload: 回传数据(type=postback 时必需)
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
发送结果
|
|
|
|
|
|
|
|
|
|
|
|
Example:
|
|
|
|
|
|
>>> order_data = {
|
|
|
|
|
|
... "order_id": "123456789",
|
|
|
|
|
|
... "status": "shipped",
|
|
|
|
|
|
... "status_text": "已发货",
|
|
|
|
|
|
... "total_amount": "1058.00",
|
|
|
|
|
|
... "items": [...]
|
|
|
|
|
|
... }
|
|
|
|
|
|
>>> actions = [
|
|
|
|
|
|
... {"type": "link", "text": "查看详情", "uri": "https://..."},
|
|
|
|
|
|
... {"type": "postback", "text": "联系客服", "payload": "CONTACT_SUPPORT"}
|
|
|
|
|
|
... ]
|
|
|
|
|
|
>>> await chatwoot.send_order_card(123, order_data, actions)
|
|
|
|
|
|
"""
|
|
|
|
|
|
# 生成 Markdown 内容
|
|
|
|
|
|
markdown_content = format_order_card_markdown(order_data)
|
|
|
|
|
|
|
|
|
|
|
|
# 生成按钮卡片
|
|
|
|
|
|
buttons = create_action_buttons(actions)
|
|
|
|
|
|
|
|
|
|
|
|
# 发送富媒体消息
|
|
|
|
|
|
return await self.send_rich_message(
|
|
|
|
|
|
conversation_id=conversation_id,
|
|
|
|
|
|
content=markdown_content,
|
|
|
|
|
|
content_type="cards",
|
|
|
|
|
|
content_attributes=buttons
|
|
|
|
|
|
)
|
2026-01-14 19:25:22 +08:00
|
|
|
|
|
|
|
|
|
|
# ============ Conversations ============
|
|
|
|
|
|
|
|
|
|
|
|
async def get_conversation(self, conversation_id: int) -> dict[str, Any]:
|
|
|
|
|
|
"""Get conversation details
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: Conversation ID
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
Conversation data
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.get(f"/conversations/{conversation_id}")
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
return response.json()
|
|
|
|
|
|
|
|
|
|
|
|
async def update_conversation_status(
|
|
|
|
|
|
self,
|
|
|
|
|
|
conversation_id: int,
|
|
|
|
|
|
status: ConversationStatus
|
|
|
|
|
|
) -> dict[str, Any]:
|
|
|
|
|
|
"""Update conversation status
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: Conversation ID
|
|
|
|
|
|
status: New status
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
Updated conversation data
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.post(
|
|
|
|
|
|
f"/conversations/{conversation_id}/toggle_status",
|
|
|
|
|
|
json={"status": status.value}
|
|
|
|
|
|
)
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
logger.info(
|
|
|
|
|
|
"Conversation status updated",
|
|
|
|
|
|
conversation_id=conversation_id,
|
|
|
|
|
|
status=status.value
|
|
|
|
|
|
)
|
|
|
|
|
|
return response.json()
|
|
|
|
|
|
|
|
|
|
|
|
async def add_labels(
|
|
|
|
|
|
self,
|
|
|
|
|
|
conversation_id: int,
|
|
|
|
|
|
labels: list[str]
|
|
|
|
|
|
) -> dict[str, Any]:
|
|
|
|
|
|
"""Add labels to a conversation
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: Conversation ID
|
|
|
|
|
|
labels: List of label names
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
Updated labels
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.post(
|
|
|
|
|
|
f"/conversations/{conversation_id}/labels",
|
|
|
|
|
|
json={"labels": labels}
|
|
|
|
|
|
)
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
return response.json()
|
|
|
|
|
|
|
|
|
|
|
|
async def assign_agent(
|
|
|
|
|
|
self,
|
|
|
|
|
|
conversation_id: int,
|
|
|
|
|
|
agent_id: int
|
|
|
|
|
|
) -> dict[str, Any]:
|
|
|
|
|
|
"""Assign an agent to a conversation
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: Conversation ID
|
|
|
|
|
|
agent_id: Agent user ID
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
Assignment result
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.post(
|
|
|
|
|
|
f"/conversations/{conversation_id}/assignments",
|
|
|
|
|
|
json={"assignee_id": agent_id}
|
|
|
|
|
|
)
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
logger.info(
|
|
|
|
|
|
"Agent assigned",
|
|
|
|
|
|
conversation_id=conversation_id,
|
|
|
|
|
|
agent_id=agent_id
|
|
|
|
|
|
)
|
|
|
|
|
|
return response.json()
|
|
|
|
|
|
|
|
|
|
|
|
# ============ Contacts ============
|
|
|
|
|
|
|
|
|
|
|
|
async def get_contact(self, contact_id: int) -> dict[str, Any]:
|
|
|
|
|
|
"""Get contact details
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
contact_id: Contact ID
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
Contact data
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.get(f"/contacts/{contact_id}")
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
return response.json()
|
|
|
|
|
|
|
|
|
|
|
|
async def update_contact(
|
|
|
|
|
|
self,
|
|
|
|
|
|
contact_id: int,
|
|
|
|
|
|
attributes: dict[str, Any]
|
|
|
|
|
|
) -> dict[str, Any]:
|
|
|
|
|
|
"""Update contact attributes
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
contact_id: Contact ID
|
|
|
|
|
|
attributes: Attributes to update
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
Updated contact data
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.put(
|
|
|
|
|
|
f"/contacts/{contact_id}",
|
|
|
|
|
|
json=attributes
|
|
|
|
|
|
)
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
return response.json()
|
|
|
|
|
|
|
|
|
|
|
|
# ============ Messages History ============
|
|
|
|
|
|
|
|
|
|
|
|
async def get_messages(
|
|
|
|
|
|
self,
|
|
|
|
|
|
conversation_id: int,
|
|
|
|
|
|
before: Optional[int] = None
|
|
|
|
|
|
) -> list[dict[str, Any]]:
|
|
|
|
|
|
"""Get conversation messages
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
conversation_id: Conversation ID
|
|
|
|
|
|
before: Get messages before this message ID
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
List of messages
|
|
|
|
|
|
"""
|
|
|
|
|
|
client = await self._get_client()
|
|
|
|
|
|
|
|
|
|
|
|
params = {}
|
|
|
|
|
|
if before:
|
|
|
|
|
|
params["before"] = before
|
|
|
|
|
|
|
|
|
|
|
|
response = await client.get(
|
|
|
|
|
|
f"/conversations/{conversation_id}/messages",
|
|
|
|
|
|
params=params
|
|
|
|
|
|
)
|
|
|
|
|
|
response.raise_for_status()
|
|
|
|
|
|
|
|
|
|
|
|
data = response.json()
|
|
|
|
|
|
return data.get("payload", [])
|
|
|
|
|
|
|
|
|
|
|
|
|
2026-01-20 14:51:30 +08:00
|
|
|
|
# ============ Helper Functions ============
|
|
|
|
|
|
|
|
|
|
|
|
def format_order_card_markdown(order_data: dict[str, Any]) -> str:
|
|
|
|
|
|
"""格式化订单信息为 Markdown 卡片
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
order_data: 订单数据,包含订单号、状态、商品、金额、物流等信息
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
格式化的 Markdown 字符串
|
|
|
|
|
|
|
|
|
|
|
|
Example:
|
|
|
|
|
|
>>> order = {
|
|
|
|
|
|
... "order_id": "123456789",
|
|
|
|
|
|
... "status": "shipped",
|
|
|
|
|
|
... "status_text": "已发货",
|
|
|
|
|
|
... "created_at": "2023-10-27 14:30",
|
|
|
|
|
|
... "items": [...],
|
|
|
|
|
|
... "total_amount": "1058.00",
|
|
|
|
|
|
... "shipping_fee": "0.00",
|
|
|
|
|
|
... "logistics": {...}
|
|
|
|
|
|
... }
|
|
|
|
|
|
>>> markdown = format_order_card_markdown(order)
|
|
|
|
|
|
"""
|
|
|
|
|
|
# 订单状态 emoji 映射
|
|
|
|
|
|
status_emoji = {
|
|
|
|
|
|
"pending": "⏳",
|
|
|
|
|
|
"paid": "💰",
|
|
|
|
|
|
"processing": "⚙️",
|
|
|
|
|
|
"shipped": "📦",
|
|
|
|
|
|
"delivered": "✅",
|
|
|
|
|
|
"completed": "✅",
|
|
|
|
|
|
"cancelled": "❌",
|
|
|
|
|
|
"refunded": "💸",
|
|
|
|
|
|
"failed": "⚠️",
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
# 获取状态文本和 emoji
|
|
|
|
|
|
status = order_data.get("status", "unknown")
|
|
|
|
|
|
status_text = order_data.get("status_text", status)
|
|
|
|
|
|
emoji = status_emoji.get(status, "📦")
|
|
|
|
|
|
|
|
|
|
|
|
lines = [
|
|
|
|
|
|
f"{emoji} **订单状态:{status_text}**",
|
|
|
|
|
|
f"📝 **订单号:** `{order_data.get('order_id', '')}`",
|
|
|
|
|
|
]
|
|
|
|
|
|
|
|
|
|
|
|
# 添加下单时间(如果有)
|
|
|
|
|
|
if order_data.get("created_at"):
|
|
|
|
|
|
lines.append(f"📅 **下单时间:** {order_data['created_at']}")
|
|
|
|
|
|
|
|
|
|
|
|
lines.append("") # 空行
|
|
|
|
|
|
lines.append("**商品详情**")
|
|
|
|
|
|
|
|
|
|
|
|
# 添加商品列表
|
|
|
|
|
|
items = order_data.get("items", [])
|
|
|
|
|
|
if items:
|
|
|
|
|
|
for item in items:
|
|
|
|
|
|
name = item.get("name", "未知商品")
|
|
|
|
|
|
quantity = item.get("quantity", 1)
|
|
|
|
|
|
price = item.get("price", "0.00")
|
|
|
|
|
|
# 可选:添加图片链接
|
|
|
|
|
|
image_markdown = ""
|
|
|
|
|
|
if item.get("image_url"):
|
|
|
|
|
|
image_markdown = f" [图片]({item['image_url']})"
|
|
|
|
|
|
lines.append(f"▫️{image_markdown} {name} × {quantity} ¥{price}")
|
|
|
|
|
|
else:
|
|
|
|
|
|
lines.append("▫️ 无商品信息")
|
|
|
|
|
|
|
|
|
|
|
|
# 添加金额信息
|
|
|
|
|
|
lines.extend([
|
|
|
|
|
|
"",
|
|
|
|
|
|
f"💰 **实付:** ¥{order_data.get('total_amount', '0.00')} (含运费 ¥{order_data.get('shipping_fee', '0.00')})"
|
|
|
|
|
|
])
|
|
|
|
|
|
|
|
|
|
|
|
# 添加物流信息(如果有)
|
|
|
|
|
|
logistics = order_data.get("logistics")
|
|
|
|
|
|
if logistics:
|
|
|
|
|
|
lines.extend([
|
|
|
|
|
|
"",
|
|
|
|
|
|
"🚚 **物流信息**",
|
|
|
|
|
|
f"承运商:{logistics.get('carrier', '未知')}",
|
|
|
|
|
|
f"单号:{logistics.get('tracking_number', '未知')}",
|
|
|
|
|
|
"*点击单号可复制跟踪*"
|
|
|
|
|
|
])
|
|
|
|
|
|
|
|
|
|
|
|
# 添加备注(如果有)
|
|
|
|
|
|
if order_data.get("remark"):
|
|
|
|
|
|
lines.extend([
|
|
|
|
|
|
"",
|
|
|
|
|
|
f"📋 **备注:** {order_data['remark']}"
|
|
|
|
|
|
])
|
|
|
|
|
|
|
|
|
|
|
|
return "\n".join(lines)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def create_action_buttons(actions: list[dict[str, Any]]) -> dict[str, Any]:
|
|
|
|
|
|
"""创建 Chatwoot 操作按钮卡片
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
actions: 按钮配置列表,每个按钮包含:
|
|
|
|
|
|
- type: "link" 或 "postback"
|
|
|
|
|
|
- text: 按钮文字
|
|
|
|
|
|
- uri: 链接地址(type=link 时)
|
|
|
|
|
|
- payload: 回传数据(type=postback 时)
|
|
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
|
符合 Chatwoot content_attributes 格式的字典
|
|
|
|
|
|
|
|
|
|
|
|
Example:
|
|
|
|
|
|
>>> actions = [
|
|
|
|
|
|
... {"type": "link", "text": "查看详情", "uri": "https://example.com"},
|
|
|
|
|
|
... {"type": "postback", "text": "联系客服", "payload": "CONTACT_SUPPORT"}
|
|
|
|
|
|
... ]
|
|
|
|
|
|
>>> buttons = create_action_buttons(actions)
|
|
|
|
|
|
"""
|
|
|
|
|
|
return {
|
|
|
|
|
|
"items": [{
|
|
|
|
|
|
"title": "操作",
|
|
|
|
|
|
"actions": actions
|
|
|
|
|
|
}]
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
|
2026-01-14 19:25:22 +08:00
|
|
|
|
# Global Chatwoot client instance
|
|
|
|
|
|
chatwoot_client: Optional[ChatwootClient] = None
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def get_chatwoot_client() -> ChatwootClient:
|
|
|
|
|
|
"""Get or create global Chatwoot client instance"""
|
|
|
|
|
|
global chatwoot_client
|
|
|
|
|
|
if chatwoot_client is None:
|
|
|
|
|
|
chatwoot_client = ChatwootClient()
|
|
|
|
|
|
return chatwoot_client
|