user_manager.py 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374
  1. #! /usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. # vim:fenc=utf-8
  4. from pqai_agent.logging_service import logger
  5. from typing import Dict, Optional, List
  6. import json
  7. import time
  8. import os
  9. import abc
  10. import pymysql.cursors
  11. from pqai_agent import configs
  12. from pqai_agent.database import MySQLManager
  13. class UserManager(abc.ABC):
  14. @abc.abstractmethod
  15. def get_user_profile(self, user_id) -> Dict:
  16. pass
  17. @abc.abstractmethod
  18. def save_user_profile(self, user_id, profile: Dict) -> None:
  19. pass
  20. @abc.abstractmethod
  21. def list_all_users(self):
  22. pass
  23. @abc.abstractmethod
  24. def get_staff_profile(self, staff_id) -> Dict:
  25. #FIXME(zhoutian): 重新设计用户和员工数据管理模型
  26. pass
  27. @staticmethod
  28. def get_default_profile(**kwargs) -> Dict:
  29. default_profile = {
  30. "name": "",
  31. "nickname": "",
  32. "avatar": "",
  33. "preferred_nickname": "",
  34. "gender": "未知",
  35. "age": 0,
  36. "region": '',
  37. "interests": [],
  38. "family_members": {},
  39. "health_conditions": [],
  40. "medications": [],
  41. "reminder_preferences": {
  42. "medication": True,
  43. "health": True,
  44. "weather": True,
  45. "news": False
  46. },
  47. "interaction_style": "standard", # standard, verbose, concise
  48. "interaction_frequency": "medium", # low, medium, high
  49. "last_topics": [],
  50. "created_at": int(time.time() * 1000),
  51. "human_intervention_history": []
  52. }
  53. for key, value in kwargs.items():
  54. if key in default_profile:
  55. default_profile[key] = value
  56. return default_profile
  57. def list_users(self, **kwargs) -> List[Dict]:
  58. pass
  59. class UserRelationManager(abc.ABC):
  60. @abc.abstractmethod
  61. def list_staffs(self):
  62. pass
  63. @abc.abstractmethod
  64. def list_users(self, staff_id: str, page: int = 1, page_size: int = 100):
  65. pass
  66. @abc.abstractmethod
  67. def list_staff_users(self) -> List[Dict]:
  68. pass
  69. @abc.abstractmethod
  70. def get_user_tags(self, user_id: str) -> List[str]:
  71. pass
  72. @abc.abstractmethod
  73. def stop_user_daily_push(self, user_id: str) -> bool:
  74. pass
  75. class LocalUserManager(UserManager):
  76. def get_user_profile(self, user_id) -> Dict:
  77. """加载用户个人资料,如不存在则创建默认资料。主要用于本地调试"""
  78. default_profile = self.get_default_profile()
  79. try:
  80. with open(f"user_profiles/{user_id}.json", "r", encoding="utf-8") as f:
  81. profile = json.load(f)
  82. entry_added = False
  83. for key, value in default_profile.items():
  84. if key not in profile:
  85. logger.debug(f"user[{user_id}] add profile key[{key}] value[{value}]")
  86. profile[key] = value
  87. entry_added = True
  88. if entry_added:
  89. self.save_user_profile(user_id, profile)
  90. return profile
  91. except FileNotFoundError:
  92. # 创建默认用户资料
  93. self.save_user_profile(user_id, default_profile)
  94. return default_profile
  95. def save_user_profile(self, user_id, profile: Dict) -> None:
  96. if not user_id:
  97. raise Exception("Invalid user_id: {}".format(user_id))
  98. with open(f"user_profiles/{user_id}.json", "w", encoding="utf-8") as f:
  99. json.dump(profile, f, ensure_ascii=False, indent=2)
  100. def list_all_users(self):
  101. user_ids = []
  102. for root, dirs, files in os.walk('../user_profiles/'):
  103. for file in files:
  104. if file.endswith('.json'):
  105. user_ids.append(os.path.splitext(file)[0])
  106. return user_ids
  107. def get_staff_profile(self, staff_id) -> Dict:
  108. # for test only
  109. return {
  110. 'agent_name': '小芳',
  111. 'agent_gender': '女',
  112. 'agent_age': 30,
  113. 'agent_region': '北京'
  114. }
  115. def list_users(self, **kwargs) -> List[Dict]:
  116. pass
  117. class MySQLUserManager(UserManager):
  118. PROFILE_EXCLUDE_ITEMS = ['avatar', ]
  119. def __init__(self, db_config, table_name, staff_table):
  120. self.db = MySQLManager(db_config)
  121. self.table_name = table_name
  122. self.staff_table = staff_table
  123. def get_user_profile(self, user_id) -> Dict:
  124. sql = f"SELECT name, wxid, profile_data_v1, gender, iconurl as avatar" \
  125. f" FROM {self.table_name} WHERE third_party_user_id = {user_id}"
  126. data = self.db.select(sql, pymysql.cursors.DictCursor)
  127. if not data:
  128. logger.error(f"user[{user_id}] not found")
  129. return {}
  130. data = data[0]
  131. gender_map = {0: '未知', 1: '男', 2: '女', None: '未知'}
  132. gender = gender_map[data['gender']]
  133. default_profile = self.get_default_profile(nickname=data['name'], gender=gender, avatar=data['avatar'])
  134. if not data['profile_data_v1']:
  135. logger.warning(f"user[{user_id}] profile not found, create a default one")
  136. self.save_user_profile(user_id, default_profile)
  137. return default_profile
  138. else:
  139. profile = json.loads(data['profile_data_v1'])
  140. # 资料条目有增加时,需合并更新
  141. entry_added = False
  142. for key, value in default_profile.items():
  143. if key not in profile:
  144. # logger.debug(f"user[{user_id}] add profile key[{key}] value[{value}]")
  145. profile[key] = value
  146. entry_added = True
  147. if entry_added:
  148. self.save_user_profile(user_id, profile)
  149. return profile
  150. def save_user_profile(self, user_id, profile: Dict) -> None:
  151. if not user_id:
  152. raise Exception("Invalid user_id: {}".format(user_id))
  153. if configs.get().get('debug_flags', {}).get('disable_database_write', False):
  154. return
  155. profile = profile.copy()
  156. for name in self.PROFILE_EXCLUDE_ITEMS:
  157. profile.pop(name, None)
  158. sql = f"UPDATE {self.table_name} SET profile_data_v1 = %s WHERE third_party_user_id = {user_id}"
  159. self.db.execute(sql, (json.dumps(profile),))
  160. def list_all_users(self):
  161. sql = f"SELECT third_party_user_id FROM {self.table_name}"
  162. data = self.db.select(sql, pymysql.cursors.DictCursor)
  163. return [user['third_party_user_id'] for user in data]
  164. def get_staff_profile(self, staff_id) -> Dict:
  165. if not self.staff_table:
  166. raise Exception("staff_table is not set")
  167. sql = f"SELECT agent_name, agent_gender, agent_age, agent_region " \
  168. f"FROM {self.staff_table} WHERE third_party_user_id = '{staff_id}'"
  169. data = self.db.select(sql, pymysql.cursors.DictCursor)
  170. if not data:
  171. logger.error(f"staff[{staff_id}] not found")
  172. return {}
  173. profile = data[0]
  174. # 转换性别格式
  175. gender_map = {0: '未知', 1: '男', 2: '女', None: '未知'}
  176. profile['agent_gender'] = gender_map[profile['agent_gender']]
  177. return profile
  178. def list_users(self, **kwargs) -> List[Dict]:
  179. user_union_id = kwargs.get('user_union_id', None)
  180. user_name = kwargs.get('user_name', None)
  181. if not user_union_id and not user_name:
  182. raise Exception("user_union_id or user_name is required")
  183. sql = f"SELECT third_party_user_id, wxid, name, iconurl, gender FROM {self.table_name} WHERE 1=1 "
  184. if user_name:
  185. sql += f"AND name = '{user_name}' COLLATE utf8mb4_bin "
  186. if user_union_id:
  187. sql += f"AND wxid = '{user_union_id}' "
  188. data = self.db.select(sql, pymysql.cursors.DictCursor)
  189. return data
  190. class LocalUserRelationManager(UserRelationManager):
  191. def __init__(self):
  192. pass
  193. def list_staffs(self):
  194. return [
  195. {"third_party_user_id": 0, "name": "x", "wxid": "x", "agent_name": "小芳"}
  196. ]
  197. def list_users(self, staff_id: str, page: int = 1, page_size: int = 100):
  198. return []
  199. def list_staff_users(self):
  200. return [
  201. {"staff_id": "1688854492669990", "user_id": "7881299670930896"}
  202. ]
  203. def get_user_tags(self, user_id: str):
  204. return []
  205. def stop_user_daily_push(self, user_id: str) -> bool:
  206. return True
  207. class MySQLUserRelationManager(UserRelationManager):
  208. def __init__(self, agent_db_config, wecom_db_config,
  209. agent_staff_table, agent_user_table,
  210. staff_table, relation_table, user_table):
  211. # FIXME(zhoutian): 因为现在数据库表不统一,需要从两个库读取
  212. self.agent_db = MySQLManager(agent_db_config)
  213. self.wecom_db = MySQLManager(wecom_db_config)
  214. self.agent_staff_table = agent_staff_table
  215. self.staff_table = staff_table
  216. self.relation_table = relation_table
  217. self.agent_user_table = agent_user_table
  218. self.user_table = user_table
  219. def list_staffs(self):
  220. sql = f"SELECT third_party_user_id, name, wxid, agent_name FROM {self.agent_staff_table} WHERE status = 1"
  221. data = self.agent_db.select(sql, pymysql.cursors.DictCursor)
  222. return data
  223. def list_users(self, staff_id: str, page: int = 1, page_size: int = 100):
  224. return []
  225. def list_staff_users(self, staff_id: str = None, tag_id: int = None):
  226. sql = f"SELECT third_party_user_id, wxid FROM {self.agent_staff_table} WHERE status = 1"
  227. if staff_id:
  228. sql += f" AND third_party_user_id = '{staff_id}'"
  229. agent_staff_data = self.agent_db.select(sql, pymysql.cursors.DictCursor)
  230. if not agent_staff_data:
  231. return []
  232. ret = []
  233. for agent_staff in agent_staff_data:
  234. wxid = agent_staff['wxid']
  235. sql = f"SELECT id FROM {self.staff_table} WHERE carrier_id = '{wxid}'"
  236. staff_data = self.wecom_db.select(sql, pymysql.cursors.DictCursor)
  237. if not staff_data:
  238. logger.error(f"staff[{wxid}] not found in wecom database")
  239. continue
  240. staff_id = staff_data[0]['id']
  241. sql = f"SELECT user_id FROM {self.relation_table} WHERE staff_id = '{staff_id}' AND is_delete = 0"
  242. user_data = self.wecom_db.select(sql, pymysql.cursors.DictCursor)
  243. if not user_data:
  244. logger.warning(f"staff[{wxid}] has no user")
  245. continue
  246. user_ids = tuple(user['user_id'] for user in user_data)
  247. sql = f"SELECT union_id FROM {self.user_table} WHERE id IN {str(user_ids)} AND union_id is not null"
  248. if tag_id:
  249. sql += f" AND id in (SELECT distinct user_id FROM we_com_user_with_tag WHERE tag_id = {tag_id} and is_delete = 0)"
  250. user_data = self.wecom_db.select(sql, pymysql.cursors.DictCursor)
  251. if not user_data:
  252. logger.warning(f"staff[{wxid}] users not found in wecom database")
  253. continue
  254. user_union_ids = tuple(user['union_id'] for user in user_data)
  255. batch_size = 500
  256. n_batches = (len(user_union_ids) + batch_size - 1) // batch_size
  257. agent_user_data = []
  258. for i in range(n_batches):
  259. idx_begin = i * batch_size
  260. idx_end = min((i + 1) * batch_size, len(user_union_ids))
  261. batch_union_ids = user_union_ids[idx_begin:idx_end]
  262. sql = f"SELECT third_party_user_id, wxid FROM {self.agent_user_table} WHERE wxid IN {str(batch_union_ids)}"
  263. batch_agent_user_data = self.agent_db.select(sql, pymysql.cursors.DictCursor)
  264. if len(agent_user_data) != len(batch_union_ids):
  265. # logger.debug(f"staff[{wxid}] some users not found in agent database")
  266. pass
  267. agent_user_data.extend(batch_agent_user_data)
  268. staff_user_pairs = [
  269. {
  270. 'staff_id': agent_staff['third_party_user_id'],
  271. 'user_id': agent_user['third_party_user_id']
  272. }
  273. for agent_user in agent_user_data
  274. ]
  275. ret.extend(staff_user_pairs)
  276. return ret
  277. def get_user_union_id(self, user_id: str) -> Optional[str]:
  278. sql = f"SELECT wxid FROM {self.agent_user_table} WHERE third_party_user_id = '{user_id}' AND wxid is not null"
  279. user_data = self.agent_db.select(sql, pymysql.cursors.DictCursor)
  280. if not user_data:
  281. logger.error(f"user[{user_id}] has no union id")
  282. return None
  283. union_id = user_data[0]['wxid']
  284. return union_id
  285. def get_user_tags(self, user_id: str) -> List[str]:
  286. union_id = self.get_user_union_id(user_id)
  287. if not union_id:
  288. return []
  289. sql = f"""
  290. select b.tag_id, c.`tag_name` from `we_com_user` as a
  291. join `we_com_user_with_tag` as b
  292. join `we_com_tag` as c
  293. on a.`id` = b.`user_id`
  294. and b.`tag_id` = c.id
  295. where a.union_id = '{union_id}' """
  296. tag_data = self.wecom_db.select(sql, pymysql.cursors.DictCursor)
  297. tag_names = [tag['tag_name'] for tag in tag_data]
  298. return tag_names
  299. def stop_user_daily_push(self, user_id: str) -> bool:
  300. try:
  301. union_id = self.get_user_union_id(user_id)
  302. if not union_id:
  303. return False
  304. sql = f"UPDATE {self.user_table} SET group_msg_disabled = 1 WHERE union_id = %s"
  305. rows = self.wecom_db.execute(sql, (union_id, ))
  306. if rows > 0:
  307. return True
  308. else:
  309. return False
  310. except Exception as e:
  311. logger.error(f"stop_user_daily_push failed: {e}")
  312. return False
  313. if __name__ == '__main__':
  314. config = configs.get()
  315. user_db_config = config['storage']['user']
  316. staff_db_config = config['storage']['staff']
  317. user_manager = MySQLUserManager(user_db_config['mysql'], user_db_config['table'], staff_db_config['table'])
  318. user_profile = user_manager.get_user_profile('7881301263964433')
  319. print(user_profile)
  320. wecom_db_config = config['storage']['user_relation']
  321. user_relation_manager = MySQLUserRelationManager(
  322. user_db_config['mysql'], wecom_db_config['mysql'],
  323. config['storage']['staff']['table'],
  324. user_db_config['table'],
  325. wecom_db_config['table']['staff'],
  326. wecom_db_config['table']['relation'],
  327. wecom_db_config['table']['user']
  328. )
  329. # all_staff_users = user_relation_manager.list_staff_users()
  330. user_tags = user_relation_manager.get_user_tags('7881302078008656')
  331. print(user_tags)