Skip to content

Commit

Permalink
Merge pull request #1127 from Yi-Lyu/master
Browse files Browse the repository at this point in the history
围绕 Gewechat 修改,1)支持聊天记录的消息; 2)图片消息改为图片常规尺寸图片放弃原来的缩略图
  • Loading branch information
RockChinQ authored Feb 25, 2025
2 parents 68c7de5 + 9401a79 commit 6761a31
Show file tree
Hide file tree
Showing 8 changed files with 213 additions and 15 deletions.
1 change: 1 addition & 0 deletions pkg/core/migrations/m025_gewechat_config.py
Original file line number Diff line number Diff line change
Expand Up @@ -23,6 +23,7 @@ async def run(self):
"adapter": "gewechat",
"enable": False,
"gewechat_url": "http://your-gewechat-server:2531",
"gewechat_file_url": "http://your-gewechat-server:2532",
"port": 2286,
"callback_url": "http://your-callback-url:2286/gewechat/callback",
"app_id": "",
Expand Down
29 changes: 29 additions & 0 deletions pkg/core/migrations/m034_gewechat_file_url_config.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,29 @@
from __future__ import annotations

from urllib.parse import urlparse

from .. import migration


@migration.migration_class("gewechat-file-url-config", 34)
class GewechatFileUrlConfigMigration(migration.Migration):
"""迁移"""

async def need_migrate(self) -> bool:
"""判断当前环境是否需要运行此迁移"""

for adapter in self.ap.platform_cfg.data['platform-adapters']:
if adapter['adapter'] == 'gewechat':
if 'gewechat_file_url' not in adapter:
return True
return False

async def run(self):
"""执行迁移"""
for adapter in self.ap.platform_cfg.data['platform-adapters']:
if adapter['adapter'] == 'gewechat':
if 'gewechat_file_url' not in adapter:
parsed_url = urlparse(adapter['gewechat_url'])
adapter['gewechat_file_url'] = f"{parsed_url.scheme}://{parsed_url.hostname}:2532"

await self.ap.platform_cfg.dump_config()
2 changes: 1 addition & 1 deletion pkg/core/stages/migrate.py
Original file line number Diff line number Diff line change
Expand Up @@ -11,7 +11,7 @@
from ..migrations import m020_wecom_config, m021_lark_config, m022_lmstudio_config, m023_siliconflow_config, m024_discord_config, m025_gewechat_config
from ..migrations import m026_qqofficial_config, m027_wx_official_account_config, m028_aliyun_requester_config
from ..migrations import m029_dashscope_app_api_config, m030_lark_config_cmpl, m031_dingtalk_config, m032_volcark_config
from ..migrations import m033_dify_thinking_config
from ..migrations import m033_dify_thinking_config, m034_gewechat_file_url_config

@stage.stage_class("MigrationStage")
class MigrationStage(stage.BootingStage):
Expand Down
83 changes: 69 additions & 14 deletions pkg/platform/sources/gewechat.py
Original file line number Diff line number Diff line change
Expand Up @@ -28,7 +28,10 @@


class GewechatMessageConverter(adapter.MessageConverter):


def __init__(self, config: dict):
self.config = config

@staticmethod
async def yiri2target(
message_chain: platform_message.MessageChain
Expand All @@ -48,12 +51,12 @@ async def yiri2target(

return content_list

@staticmethod
async def target2yiri(
self,
message: dict,
bot_account_id: str
) -> platform_message.MessageChain:

if message["Data"]["MsgType"] == 1:
# 检查消息开头,如果有 wxid_sbitaz0mt65n22:\n 则删掉
regex = re.compile(r"^wxid_.*:")
Expand All @@ -74,25 +77,72 @@ async def target2yiri(
return platform_message.MessageChain(content_list)

elif message["Data"]["MsgType"] == 3:
image_base64 = message["Data"]["ImgBuf"]["buffer"]
return platform_message.MessageChain(
[platform_message.Image(base64=f"data:image/jpeg;base64,{image_base64}")]
)
image_xml = message["Data"]["Content"]["string"]
if not image_xml:
return platform_message.MessageChain([
platform_message.Plain(text="[图片内容为空]")
])

try:
base64_str, image_format = await image.get_gewechat_image_base64(
gewechat_url=self.config["gewechat_url"],
gewechat_file_url=self.config["gewechat_file_url"]
app_id=self.config["app_id"],
xml_content=image_xml,
token=self.config["token"],
image_type=2,
)

return platform_message.MessageChain([
platform_message.Image(
base64=f"data:image/{image_format};base64,{base64_str}"
)
])
except Exception as e:
print(f"处理图片消息失败: {str(e)}")
return platform_message.MessageChain([
platform_message.Plain(text="[图片处理失败]")
])

elif message["Data"]["MsgType"] == 49:
# 支持微信聊天记录的消息类型,将 XML 内容转换为 MessageChain 传递
try:
content = message["Data"]["Content"]["string"]

try:
content_bytes = content.encode('utf-8')
decoded_content = base64.b64decode(content_bytes)
return platform_message.MessageChain(
[platform_message.Unknown(content=decoded_content)]
)
except Exception as e:
return platform_message.MessageChain(
[platform_message.Plain(text=content)]
)
except Exception as e:
print(f"Error processing type 49 message: {str(e)}")
return platform_message.MessageChain(
[platform_message.Plain(text="[无法解析的消息]")]
)

class GewechatEventConverter(adapter.EventConverter):


def __init__(self, config: dict):
self.config = config
self.message_converter = GewechatMessageConverter(config)

@staticmethod
async def yiri2target(
event: platform_events.MessageEvent
) -> dict:
pass

@staticmethod
async def target2yiri(
self,
event: dict,
bot_account_id: str
) -> platform_events.MessageEvent:
message_chain = await GewechatMessageConverter.target2yiri(copy.deepcopy(event), bot_account_id)
message_chain = await self.message_converter.target2yiri(copy.deepcopy(event), bot_account_id)

if not message_chain:
return None
Expand Down Expand Up @@ -120,7 +170,7 @@ async def target2yiri(
time=event["Data"]["CreateTime"],
source_platform_object=event,
)
elif 'wxid_' in event["Data"]["FromUserName"]["string"]:
else:
return platform_events.FriendMessage(
sender=platform_entities.Friend(
id=event["Data"]["FromUserName"]["string"],
Expand All @@ -134,7 +184,9 @@ async def target2yiri(


class GeWeChatAdapter(adapter.MessagePlatformAdapter):


name: str = "gewechat" # 定义适配器名称

bot: gewechat_client.GewechatClient
quart_app: quart.Quart

Expand All @@ -144,8 +196,8 @@ class GeWeChatAdapter(adapter.MessagePlatformAdapter):

ap: app.Application

message_converter: GewechatMessageConverter = GewechatMessageConverter()
event_converter: GewechatEventConverter = GewechatEventConverter()
message_converter: GewechatMessageConverter
event_converter: GewechatEventConverter

listeners: typing.Dict[
typing.Type[platform_events.Event],
Expand All @@ -158,6 +210,9 @@ def __init__(self, config: dict, ap: app.Application):

self.quart_app = quart.Quart(__name__)

self.message_converter = GewechatMessageConverter(config)
self.event_converter = GewechatEventConverter(config)

@self.quart_app.route('/gewechat/callback', methods=['POST'])
async def gewechat_callback():
data = await quart.request.json
Expand Down
7 changes: 7 additions & 0 deletions pkg/platform/sources/gewechat.yaml
Original file line number Diff line number Diff line change
Expand Up @@ -17,6 +17,13 @@ spec:
type: string
required: true
default: ""
- name: gewechat_file_url
label:
en_US: GeWeChat file download URL
zh_CN: GeWeChat 文件下载URL
type: string
required: true
default: ""
- name: port
label:
en_US: Port
Expand Down
100 changes: 100 additions & 0 deletions pkg/utils/image.py
Original file line number Diff line number Diff line change
Expand Up @@ -8,6 +8,106 @@
import PIL.Image
import httpx

import os
import aiofiles
import pathlib
import asyncio
from urllib.parse import urlparse


async def get_gewechat_image_base64(
gewechat_url: str,
gewechat_file_url: str,
app_id: str,
xml_content: str,
token: str,
image_type: int = 2,
) -> typing.Tuple[str, str]:
"""从gewechat服务器获取图片并转换为base64格式
Args:
gewechat_url (str): gewechat服务器地址(用于获取图片URL)
gewechat_file_url (str): gewechat文件下载服务地址
app_id (str): gewechat应用ID
xml_content (str): 图片的XML内容
token (str): Gewechat API Token
image_type (int, optional): 图片类型. Defaults to 2.
Returns:
typing.Tuple[str, str]: (base64编码, 图片格式)
Raises:
aiohttp.ClientTimeout: 请求超时(15秒)或连接超时(2秒)
Exception: 其他错误
"""
headers = {
'X-GEWE-TOKEN': token,
'Content-Type': 'application/json'
}

# 设置超时
timeout = aiohttp.ClientTimeout(
total=15.0, # 总超时时间15秒
connect=2.0, # 连接超时2秒
sock_connect=2.0, # socket连接超时2秒
sock_read=15.0 # socket读取超时15秒
)

try:
async with aiohttp.ClientSession(timeout=timeout) as session:
# 获取图片下载链接
try:
async with session.post(
f"{gewechat_url}/v2/api/message/downloadImage",
headers=headers,
json={
"appId": app_id,
"type": image_type,
"xml": xml_content
}
) as response:
if response.status != 200:
raise Exception(f"获取gewechat图片下载失败: {await response.text()}")

resp_data = await response.json()
if resp_data.get("ret") != 200:
raise Exception(f"获取gewechat图片下载链接失败: {resp_data}")

file_url = resp_data['data']['fileUrl']
except asyncio.TimeoutError:
raise Exception("获取图片下载链接超时")
except aiohttp.ClientError as e:
raise Exception(f"获取图片下载链接网络错误: {str(e)}")

# 解析原始URL并替换端口
base_url = gewechat_file_url
download_url = f"{base_url}/download/{file_url}"

# 下载图片
try:
async with session.get(download_url) as img_response:
if img_response.status != 200:
raise Exception(f"下载图片失败: {await img_response.text()}, URL: {download_url}")

image_data = await img_response.read()

content_type = img_response.headers.get('Content-Type', '')
if content_type:
image_format = content_type.split('/')[-1]
else:
image_format = file_url.split('.')[-1]

base64_str = base64.b64encode(image_data).decode('utf-8')

return base64_str, image_format
except asyncio.TimeoutError:
raise Exception(f"下载图片超时, URL: {download_url}")
except aiohttp.ClientError as e:
raise Exception(f"下载图片网络错误: {str(e)}, URL: {download_url}")
except Exception as e:
raise Exception(f"获取图片失败: {str(e)}") from e


async def get_wecom_image_base64(pic_url: str) -> tuple[str, str]:
"""
下载企业微信图片并转换为 base64
Expand Down
1 change: 1 addition & 0 deletions templates/platform.json
Original file line number Diff line number Diff line change
Expand Up @@ -64,6 +64,7 @@
"adapter": "gewechat",
"enable": false,
"gewechat_url": "http://your-gewechat-server:2531",
"gewechat_file_url": "http://your-gewechat-server:2532",
"port": 2286,
"callback_url": "http://your-callback-url:2286/gewechat/callback",
"app_id": "",
Expand Down
5 changes: 5 additions & 0 deletions templates/schema/platform.json
Original file line number Diff line number Diff line change
Expand Up @@ -325,6 +325,11 @@
"default": "",
"description": "gewechat 的 url"
},
"gewechat_file_url": {
"type": "string",
"default": "",
"description": "gewechat 文件下载URL"
},
"port": {
"type": "integer",
"default": 2286,
Expand Down

0 comments on commit 6761a31

Please sign in to comment.