feat(action): 重构 Action 激活机制并添加 go_activate() 方法
引入新的 Action 激活机制,允许通过重写 go_activate() 方法来自定义激活逻辑。提供了三个工具函数: - _random_activation(): 随机概率激活 - _keyword_match(): 关键词匹配激活 - _llm_judge_activation(): LLM 智能判断激活 主要变更: - 在 BaseAction 中添加 go_activate() 抽象方法和相关工具函数 - 更新 ActionModifier 使用新的激活判断逻辑 - 在 hello_world_plugin 中添加新的激活方式示例 - 更新文档说明新的激活机制 - 保持向后兼容,旧的激活类型配置仍然可用 BREAKING CHANGE: Action 激活判断现在通过 go_activate() 方法进行,旧的激活类型字段已标记为废弃但仍然兼容
This commit is contained in:
@@ -196,6 +196,8 @@ class ActionModifier:
|
||||
) -> list[tuple[str, str]]:
|
||||
"""
|
||||
根据激活类型过滤,返回需要停用的动作列表及原因
|
||||
|
||||
新的实现:调用每个 Action 类的 go_activate 方法来判断是否激活
|
||||
|
||||
Args:
|
||||
actions_with_info: 带完整信息的动作字典
|
||||
@@ -205,56 +207,72 @@ class ActionModifier:
|
||||
List[Tuple[str, str]]: 需要停用的 (action_name, reason) 元组列表
|
||||
"""
|
||||
deactivated_actions = []
|
||||
|
||||
# 分类处理不同激活类型的actions
|
||||
llm_judge_actions = {}
|
||||
|
||||
|
||||
# 获取 Action 类注册表
|
||||
from src.plugin_system.core.component_registry import component_registry
|
||||
from src.plugin_system.base.component_types import ComponentType
|
||||
|
||||
actions_to_check = list(actions_with_info.items())
|
||||
random.shuffle(actions_to_check)
|
||||
|
||||
|
||||
# 创建并行任务列表
|
||||
activation_tasks = []
|
||||
task_action_names = []
|
||||
|
||||
for action_name, action_info in actions_to_check:
|
||||
activation_type = action_info.activation_type or action_info.focus_activation_type
|
||||
|
||||
if activation_type == ActionActivationType.ALWAYS:
|
||||
continue # 总是激活,无需处理
|
||||
|
||||
elif activation_type == ActionActivationType.RANDOM:
|
||||
probability = action_info.random_activation_probability
|
||||
probability = action_info.random_activation_probability
|
||||
if random.random() >= probability:
|
||||
reason = f"RANDOM类型未触发(概率{probability})"
|
||||
deactivated_actions.append((action_name, reason))
|
||||
logger.debug(f"{self.log_prefix}未激活动作: {action_name},原因: {reason}")
|
||||
|
||||
elif activation_type == ActionActivationType.KEYWORD:
|
||||
if not self._check_keyword_activation(action_name, action_info, chat_content):
|
||||
keywords = action_info.activation_keywords
|
||||
reason = f"关键词未匹配(关键词: {keywords})"
|
||||
deactivated_actions.append((action_name, reason))
|
||||
logger.debug(f"{self.log_prefix}未激活动作: {action_name},原因: {reason}")
|
||||
|
||||
elif activation_type == ActionActivationType.LLM_JUDGE:
|
||||
llm_judge_actions[action_name] = action_info
|
||||
|
||||
elif activation_type == ActionActivationType.NEVER:
|
||||
reason = "激活类型为never"
|
||||
deactivated_actions.append((action_name, reason))
|
||||
logger.debug(f"{self.log_prefix}未激活动作: {action_name},原因: 激活类型为never")
|
||||
|
||||
else:
|
||||
logger.warning(f"{self.log_prefix}未知的激活类型: {activation_type},跳过处理")
|
||||
|
||||
# 并行处理LLM_JUDGE类型
|
||||
if llm_judge_actions:
|
||||
llm_results = await self._process_llm_judge_actions_parallel(
|
||||
llm_judge_actions,
|
||||
chat_content,
|
||||
)
|
||||
for action_name, should_activate in llm_results.items():
|
||||
if not should_activate:
|
||||
reason = "LLM判定未激活"
|
||||
deactivated_actions.append((action_name, reason))
|
||||
logger.debug(f"{self.log_prefix}未激活动作: {action_name},原因: {reason}")
|
||||
# 获取 Action 类
|
||||
action_class = component_registry.get_component_class(action_name, ComponentType.ACTION)
|
||||
if not action_class:
|
||||
logger.warning(f"{self.log_prefix}未找到 Action 类: {action_name},默认不激活")
|
||||
deactivated_actions.append((action_name, "未找到 Action 类"))
|
||||
continue
|
||||
|
||||
# 创建一个临时实例来调用 go_activate 方法
|
||||
# 注意:这里只是为了调用 go_activate,不需要完整的初始化
|
||||
try:
|
||||
# 创建一个最小化的实例
|
||||
action_instance = object.__new__(action_class)
|
||||
# 设置必要的属性
|
||||
action_instance.action_name = action_name
|
||||
action_instance.log_prefix = self.log_prefix
|
||||
# 设置聊天内容,用于激活判断
|
||||
action_instance._activation_chat_content = chat_content
|
||||
|
||||
# 调用 go_activate 方法(不再需要传入 chat_content)
|
||||
task = action_instance.go_activate(
|
||||
llm_judge_model=self.llm_judge,
|
||||
)
|
||||
activation_tasks.append(task)
|
||||
task_action_names.append(action_name)
|
||||
|
||||
except Exception as e:
|
||||
logger.error(f"{self.log_prefix}创建 Action 实例 {action_name} 失败: {e}")
|
||||
deactivated_actions.append((action_name, f"创建实例失败: {e}"))
|
||||
|
||||
# 并行执行所有激活判断
|
||||
if activation_tasks:
|
||||
logger.debug(f"{self.log_prefix}并行执行激活判断,任务数: {len(activation_tasks)}")
|
||||
try:
|
||||
task_results = await asyncio.gather(*activation_tasks, return_exceptions=True)
|
||||
|
||||
# 处理结果
|
||||
for action_name, result in zip(task_action_names, task_results, strict=False):
|
||||
if isinstance(result, Exception):
|
||||
logger.error(f"{self.log_prefix}激活判断 {action_name} 时出错: {result}")
|
||||
deactivated_actions.append((action_name, f"激活判断出错: {result}"))
|
||||
elif not result:
|
||||
# go_activate 返回 False,不激活
|
||||
deactivated_actions.append((action_name, "go_activate 返回 False"))
|
||||
logger.debug(f"{self.log_prefix}未激活动作: {action_name},原因: go_activate 返回 False")
|
||||
else:
|
||||
# go_activate 返回 True,激活
|
||||
logger.debug(f"{self.log_prefix}激活动作: {action_name}")
|
||||
|
||||
except Exception as e:
|
||||
logger.error(f"{self.log_prefix}并行激活判断失败: {e}")
|
||||
# 如果并行执行失败,为所有任务默认不激活
|
||||
for action_name in task_action_names:
|
||||
deactivated_actions.append((action_name, f"并行判断失败: {e}"))
|
||||
|
||||
return deactivated_actions
|
||||
|
||||
|
||||
@@ -1,13 +1,18 @@
|
||||
# Todo: 重构Action,这里现在只剩下了报错。
|
||||
import asyncio
|
||||
import random
|
||||
import time
|
||||
from abc import ABC, abstractmethod
|
||||
from typing import TYPE_CHECKING
|
||||
|
||||
from src.chat.message_receive.chat_stream import ChatStream
|
||||
from src.common.logger import get_logger
|
||||
from src.plugin_system.apis import database_api, message_api, send_api
|
||||
from src.plugin_system.base.component_types import ActionActivationType, ActionInfo, ChatMode, ChatType, ComponentType
|
||||
|
||||
if TYPE_CHECKING:
|
||||
from src.llm_models.utils_model import LLMRequest
|
||||
|
||||
logger = get_logger("base_action")
|
||||
|
||||
|
||||
@@ -16,16 +21,53 @@ class BaseAction(ABC):
|
||||
|
||||
Action是插件的一种组件类型,用于处理聊天中的动作逻辑
|
||||
|
||||
子类可以通过类属性定义激活条件,这些会在实例化时转换为实例属性:
|
||||
==================================================================================
|
||||
新的激活机制 (推荐使用)
|
||||
==================================================================================
|
||||
推荐通过重写 go_activate() 方法来自定义激活逻辑:
|
||||
|
||||
示例 1 - 关键词激活:
|
||||
async def go_activate(self, llm_judge_model=None) -> bool:
|
||||
return await self._keyword_match(["你好", "hello"])
|
||||
|
||||
示例 2 - LLM 判断激活:
|
||||
async def go_activate(self, llm_judge_model=None) -> bool:
|
||||
return await self._llm_judge_activation(
|
||||
"当用户询问天气信息时激活",
|
||||
llm_judge_model
|
||||
)
|
||||
|
||||
示例 3 - 组合多种条件:
|
||||
async def go_activate(self, llm_judge_model=None) -> bool:
|
||||
# 30% 随机概率,或者匹配关键词
|
||||
if await self._random_activation(0.3):
|
||||
return True
|
||||
return await self._keyword_match(["表情", "emoji"])
|
||||
|
||||
提供的工具函数:
|
||||
- _random_activation(probability): 随机激活
|
||||
- _keyword_match(keywords, case_sensitive): 关键词匹配(自动获取聊天内容)
|
||||
- _llm_judge_activation(judge_prompt, llm_judge_model): LLM 判断(自动获取聊天内容)
|
||||
|
||||
注意:聊天内容会自动从实例属性中获取,无需手动传入。
|
||||
|
||||
==================================================================================
|
||||
旧的激活机制 (已废弃,但仍然兼容)
|
||||
==================================================================================
|
||||
子类可以通过类属性定义激活条件(已废弃,但 go_activate() 的默认实现会使用这些):
|
||||
- focus_activation_type: 专注模式激活类型
|
||||
- normal_activation_type: 普通模式激活类型
|
||||
- activation_keywords: 激活关键词列表
|
||||
- keyword_case_sensitive: 关键词是否区分大小写
|
||||
- mode_enable: 启用的聊天模式
|
||||
- parallel_action: 是否允许并行执行
|
||||
- random_activation_probability: 随机激活概率
|
||||
- llm_judge_prompt: LLM判断提示词
|
||||
|
||||
==================================================================================
|
||||
其他类属性
|
||||
==================================================================================
|
||||
- mode_enable: 启用的聊天模式
|
||||
- parallel_action: 是否允许并行执行
|
||||
|
||||
二步Action相关属性:
|
||||
- is_two_step_action: 是否为二步Action
|
||||
- step_one_description: 第一步的描述
|
||||
@@ -559,6 +601,247 @@ class BaseAction(ABC):
|
||||
# 子类需要重写此方法来实现具体的第二步逻辑
|
||||
return False, f"二步Action必须实现execute_step_two方法来处理操作: {sub_action_name}"
|
||||
|
||||
# =============================================================================
|
||||
# 新的激活机制 - go_activate 和工具函数
|
||||
# =============================================================================
|
||||
|
||||
def _get_chat_content(self) -> str:
|
||||
"""获取聊天内容用于激活判断
|
||||
|
||||
从实例属性中获取聊天内容。子类可以重写此方法来自定义获取逻辑。
|
||||
|
||||
Returns:
|
||||
str: 聊天内容
|
||||
"""
|
||||
# 尝试从不同的实例属性中获取聊天内容
|
||||
# 优先级:_activation_chat_content > action_data['chat_content'] > ""
|
||||
|
||||
# 1. 如果有专门设置的激活用聊天内容(由 ActionModifier 设置)
|
||||
if hasattr(self, '_activation_chat_content'):
|
||||
return getattr(self, '_activation_chat_content', "")
|
||||
|
||||
# 2. 尝试从 action_data 中获取
|
||||
if hasattr(self, 'action_data') and isinstance(self.action_data, dict):
|
||||
return self.action_data.get('chat_content', "")
|
||||
|
||||
# 3. 默认返回空字符串
|
||||
return ""
|
||||
|
||||
async def go_activate(
|
||||
self,
|
||||
llm_judge_model: "LLMRequest | None" = None,
|
||||
) -> bool:
|
||||
"""判断此 Action 是否应该被激活
|
||||
|
||||
这是新的激活机制的核心方法。子类可以重写此方法来实现自定义的激活逻辑,
|
||||
也可以使用提供的工具函数来简化常见的激活判断。
|
||||
|
||||
默认实现会检查类属性中的激活类型配置,提供向后兼容支持。
|
||||
|
||||
聊天内容会自动从实例属性中获取,不需要手动传入。
|
||||
|
||||
Args:
|
||||
llm_judge_model: LLM 判断模型,如果需要使用 LLM 判断
|
||||
|
||||
Returns:
|
||||
bool: True 表示应该激活,False 表示不激活
|
||||
|
||||
Example:
|
||||
>>> # 简单的关键词激活
|
||||
>>> async def go_activate(self, llm_judge_model=None) -> bool:
|
||||
>>> return await self._keyword_match(["你好", "hello"])
|
||||
>>>
|
||||
>>> # LLM 判断激活
|
||||
>>> async def go_activate(self, llm_judge_model=None) -> bool:
|
||||
>>> return await self._llm_judge_activation(
|
||||
>>> "当用户询问天气信息时激活",
|
||||
>>> llm_judge_model
|
||||
>>> )
|
||||
>>>
|
||||
>>> # 组合多种条件
|
||||
>>> async def go_activate(self, llm_judge_model=None) -> bool:
|
||||
>>> # 随机 30% 概率,或者匹配关键词
|
||||
>>> if await self._random_activation(0.3):
|
||||
>>> return True
|
||||
>>> return await self._keyword_match(["天气"])
|
||||
"""
|
||||
# 默认实现:向后兼容旧的激活类型系统
|
||||
activation_type = getattr(self, "activation_type", ActionActivationType.ALWAYS)
|
||||
|
||||
if activation_type == ActionActivationType.ALWAYS:
|
||||
return True
|
||||
|
||||
elif activation_type == ActionActivationType.NEVER:
|
||||
return False
|
||||
|
||||
elif activation_type == ActionActivationType.RANDOM:
|
||||
probability = getattr(self, "random_activation_probability", 0.0)
|
||||
return await self._random_activation(probability)
|
||||
|
||||
elif activation_type == ActionActivationType.KEYWORD:
|
||||
keywords = getattr(self, "activation_keywords", [])
|
||||
case_sensitive = getattr(self, "keyword_case_sensitive", False)
|
||||
return await self._keyword_match(keywords, case_sensitive)
|
||||
|
||||
elif activation_type == ActionActivationType.LLM_JUDGE:
|
||||
prompt = getattr(self, "llm_judge_prompt", "")
|
||||
return await self._llm_judge_activation(
|
||||
judge_prompt=prompt,
|
||||
llm_judge_model=llm_judge_model,
|
||||
)
|
||||
|
||||
# 未知类型,默认不激活
|
||||
logger.warning(f"{self.log_prefix} 未知的激活类型: {activation_type}")
|
||||
return False
|
||||
|
||||
async def _random_activation(self, probability: float) -> bool:
|
||||
"""随机激活工具函数
|
||||
|
||||
Args:
|
||||
probability: 激活概率,范围 0.0 到 1.0
|
||||
|
||||
Returns:
|
||||
bool: 是否激活
|
||||
"""
|
||||
result = random.random() < probability
|
||||
logger.debug(f"{self.log_prefix} 随机激活判断: 概率={probability}, 结果={'激活' if result else '不激活'}")
|
||||
return result
|
||||
|
||||
async def _keyword_match(
|
||||
self,
|
||||
keywords: list[str],
|
||||
case_sensitive: bool = False,
|
||||
) -> bool:
|
||||
"""关键词匹配工具函数
|
||||
|
||||
聊天内容会自动从实例属性中获取。
|
||||
|
||||
Args:
|
||||
keywords: 关键词列表
|
||||
case_sensitive: 是否区分大小写
|
||||
|
||||
Returns:
|
||||
bool: 是否匹配到关键词
|
||||
"""
|
||||
if not keywords:
|
||||
logger.warning(f"{self.log_prefix} 关键词列表为空,默认不激活")
|
||||
return False
|
||||
|
||||
# 自动获取聊天内容
|
||||
chat_content = self._get_chat_content()
|
||||
|
||||
search_text = chat_content
|
||||
if not case_sensitive:
|
||||
search_text = search_text.lower()
|
||||
|
||||
matched_keywords = []
|
||||
for keyword in keywords:
|
||||
check_keyword = keyword if case_sensitive else keyword.lower()
|
||||
if check_keyword in search_text:
|
||||
matched_keywords.append(keyword)
|
||||
|
||||
if matched_keywords:
|
||||
logger.debug(f"{self.log_prefix} 匹配到关键词: {matched_keywords}")
|
||||
return True
|
||||
else:
|
||||
logger.debug(f"{self.log_prefix} 未匹配到任何关键词: {keywords}")
|
||||
return False
|
||||
|
||||
async def _llm_judge_activation(
|
||||
self,
|
||||
judge_prompt: str = "",
|
||||
llm_judge_model: "LLMRequest | None" = None,
|
||||
action_description: str = "",
|
||||
action_require: list[str] | None = None,
|
||||
) -> bool:
|
||||
"""LLM 判断激活工具函数
|
||||
|
||||
使用 LLM 来判断是否应该激活此 Action。
|
||||
会自动构建完整的判断提示词,只需要提供核心判断逻辑即可。
|
||||
|
||||
聊天内容会自动从实例属性中获取。
|
||||
|
||||
Args:
|
||||
judge_prompt: 自定义判断提示词(核心判断逻辑)
|
||||
llm_judge_model: LLM 判断模型实例,如果为 None 则会创建默认的小模型
|
||||
action_description: Action 描述,如果不提供则使用类属性
|
||||
action_require: Action 使用场景,如果不提供则使用类属性
|
||||
|
||||
Returns:
|
||||
bool: 是否应该激活
|
||||
|
||||
Example:
|
||||
>>> # 最简单的用法
|
||||
>>> result = await self._llm_judge_activation(
|
||||
>>> "当用户询问天气信息时激活"
|
||||
>>> )
|
||||
>>>
|
||||
>>> # 提供详细信息
|
||||
>>> result = await self._llm_judge_activation(
|
||||
>>> judge_prompt="当用户表达情绪或需要情感支持时激活",
|
||||
>>> action_description="发送安慰表情包",
|
||||
>>> action_require=["用户情绪低落", "需要情感支持"]
|
||||
>>> )
|
||||
"""
|
||||
try:
|
||||
# 自动获取聊天内容
|
||||
chat_content = self._get_chat_content()
|
||||
|
||||
# 如果没有提供 LLM 模型,创建一个默认的
|
||||
if llm_judge_model is None:
|
||||
from src.config.config import model_config
|
||||
from src.llm_models.utils_model import LLMRequest
|
||||
|
||||
llm_judge_model = LLMRequest(
|
||||
model_set=model_config.model_task_config.utils_small,
|
||||
request_type="action.judge",
|
||||
)
|
||||
|
||||
# 使用类属性作为默认值
|
||||
if not action_description:
|
||||
action_description = getattr(self, "action_description", "Action 动作")
|
||||
|
||||
if action_require is None:
|
||||
action_require = getattr(self, "action_require", [])
|
||||
|
||||
# 构建完整的判断提示词
|
||||
prompt = f"""你需要判断在当前聊天情况下,是否应该激活名为"{self.action_name}"的动作。
|
||||
|
||||
动作描述:{action_description}
|
||||
"""
|
||||
|
||||
if action_require:
|
||||
prompt += "\n动作使用场景:\n"
|
||||
for req in action_require:
|
||||
prompt += f"- {req}\n"
|
||||
|
||||
if judge_prompt:
|
||||
prompt += f"\n额外判定条件:\n{judge_prompt}\n"
|
||||
|
||||
if chat_content:
|
||||
prompt += f"\n当前聊天记录:\n{chat_content}\n"
|
||||
|
||||
prompt += """
|
||||
请根据以上信息判断是否应该激活这个动作。
|
||||
只需要回答"是"或"否",不要有其他内容。
|
||||
"""
|
||||
|
||||
# 调用 LLM 进行判断
|
||||
response, _ = await llm_judge_model.generate_response_async(prompt=prompt)
|
||||
response = response.strip().lower()
|
||||
|
||||
should_activate = "是" in response or "yes" in response or "true" in response
|
||||
|
||||
logger.debug(
|
||||
f"{self.log_prefix} LLM 判断结果: 响应='{response}', 结果={'激活' if should_activate else '不激活'}"
|
||||
)
|
||||
return should_activate
|
||||
|
||||
except Exception as e:
|
||||
logger.error(f"{self.log_prefix} LLM 判断激活时出错: {e}")
|
||||
# 出错时默认不激活
|
||||
return False
|
||||
|
||||
@abstractmethod
|
||||
async def execute(self) -> tuple[bool, str]:
|
||||
"""执行Action的抽象方法,子类必须实现
|
||||
|
||||
@@ -132,21 +132,30 @@ class ComponentInfo:
|
||||
|
||||
@dataclass
|
||||
class ActionInfo(ComponentInfo):
|
||||
"""动作组件信息"""
|
||||
"""动作组件信息
|
||||
|
||||
注意:激活类型相关字段已废弃,推荐使用 Action 类的 go_activate() 方法来自定义激活逻辑。
|
||||
这些字段将继续保留以提供向后兼容性,BaseAction.go_activate() 的默认实现会使用这些字段。
|
||||
"""
|
||||
|
||||
action_parameters: dict[str, str] = field(
|
||||
default_factory=dict
|
||||
) # 动作参数与描述,例如 {"param1": "描述1", "param2": "描述2"}
|
||||
action_require: list[str] = field(default_factory=list) # 动作需求说明
|
||||
associated_types: list[str] = field(default_factory=list) # 关联的消息类型
|
||||
# 激活类型相关
|
||||
focus_activation_type: ActionActivationType = ActionActivationType.ALWAYS
|
||||
normal_activation_type: ActionActivationType = ActionActivationType.ALWAYS
|
||||
activation_type: ActionActivationType = ActionActivationType.ALWAYS
|
||||
random_activation_probability: float = 0.0
|
||||
llm_judge_prompt: str = ""
|
||||
activation_keywords: list[str] = field(default_factory=list) # 激活关键词列表
|
||||
keyword_case_sensitive: bool = False
|
||||
|
||||
# ==================================================================================
|
||||
# 激活类型相关字段(已废弃,建议使用 go_activate() 方法)
|
||||
# 保留这些字段是为了向后兼容,BaseAction.go_activate() 的默认实现会使用这些字段
|
||||
# ==================================================================================
|
||||
focus_activation_type: ActionActivationType = ActionActivationType.ALWAYS # 已废弃
|
||||
normal_activation_type: ActionActivationType = ActionActivationType.ALWAYS # 已废弃
|
||||
activation_type: ActionActivationType = ActionActivationType.ALWAYS # 已废弃
|
||||
random_activation_probability: float = 0.0 # 已废弃,建议在 go_activate() 中使用 _random_activation()
|
||||
llm_judge_prompt: str = "" # 已废弃,建议在 go_activate() 中使用 _llm_judge_activation()
|
||||
activation_keywords: list[str] = field(default_factory=list) # 已废弃,建议在 go_activate() 中使用 _keyword_match()
|
||||
keyword_case_sensitive: bool = False # 已废弃
|
||||
|
||||
# 模式和并行设置
|
||||
mode_enable: ChatMode = ChatMode.ALL
|
||||
parallel_action: bool = False
|
||||
|
||||
@@ -18,8 +18,36 @@ logger = get_logger("emoji")
|
||||
|
||||
|
||||
class EmojiAction(BaseAction):
|
||||
"""表情动作 - 发送表情包"""
|
||||
"""表情动作 - 发送表情包
|
||||
|
||||
注意:此 Action 使用旧的激活类型配置方式(已废弃但仍然兼容)。
|
||||
BaseAction.go_activate() 的默认实现会自动处理这些旧配置。
|
||||
|
||||
推荐的新写法(迁移示例):
|
||||
----------------------------------------
|
||||
# 移除下面的 activation_type 相关配置,改为重写 go_activate 方法:
|
||||
|
||||
async def go_activate(self, chat_content: str = "", llm_judge_model=None) -> bool:
|
||||
# 根据配置选择激活方式
|
||||
if global_config.emoji.emoji_activate_type == "llm":
|
||||
return await self._llm_judge_activation(
|
||||
chat_content=chat_content,
|
||||
judge_prompt=\"""
|
||||
判定是否需要使用表情动作的条件:
|
||||
1. 用户明确要求使用表情包
|
||||
2. 这是一个适合表达情绪的场合
|
||||
3. 发表情包能使当前对话更有趣
|
||||
4. 不要发送太多表情包
|
||||
\""",
|
||||
llm_judge_model=llm_judge_model
|
||||
)
|
||||
else:
|
||||
# 使用随机激活
|
||||
return await self._random_activation(global_config.emoji.emoji_chance)
|
||||
----------------------------------------
|
||||
"""
|
||||
|
||||
# ========== 以下使用旧的激活配置(已废弃但兼容) ==========
|
||||
# 激活设置
|
||||
if global_config.emoji.emoji_activate_type == "llm":
|
||||
activation_type = ActionActivationType.LLM_JUDGE
|
||||
|
||||
Reference in New Issue
Block a user