# 导入必要的模块和函数from __future__ import annotations
import os
from functools import lru_cache
from typing import Any, Dict, Optional, Union
import orjson
from poke_env.data.normalize import to_id_str# 定义一个类 GenDataclassGenData:# 限制实例的属性,只能包含在 __slots__ 中指定的属性__slots__ =("gen","moves","natures","pokedex","type_chart","learnset")# 定义一个类变量 UNKNOWN_ITEMUNKNOWN_ITEM ="unknown_item"# 定义一个类变量 _gen_data_per_gen,用于存储不同世代的 GenData 实例_gen_data_per_gen: Dict[int, GenData]={}# 初始化方法,接受一个 gen 参数def__init__(self, gen:int):# 如果该世代的 GenData 已经初始化过,则抛出异常if gen in self._gen_data_per_gen:raise ValueError(f"GenData for gen {gen} already initialized.")# 初始化实例属性self.gen = genself.moves = self.load_moves(gen)self.natures = self.load_natures()self.pokedex = self.load_pokedex(gen)self.type_chart = self.load_type_chart(gen)self.learnset = self.load_learnset()# 定义深拷贝方法,返回当前实例本身def__deepcopy__(self, memodict: Optional[Dict[int, Any]]=None)-> GenData:return self# 加载指定世代的招式数据defload_moves(self, gen:int)-> Dict[str, Any]:withopen(os.path.join(self._static_files_root,"moves",f"gen{gen}moves.json"))as f:return orjson.loads(f.read())# 加载自然性格数据defload_natures(self)-> Dict[str, Dict[str, Union[int,float]]]:withopen(os.path.join(self._static_files_root,"natures.json"))as f:return orjson.loads(f.read())# 加载学会招式数据defload_learnset(self)-> Dict[str, Dict[str, Union[int,float]]]:withopen(os.path.join(self._static_files_root,"learnset.json"))as f:return orjson.loads(f.read())# 加载宝可梦图鉴数据,根据给定的世代号defload_pokedex(self, gen:int)-> Dict[str, Any]:# 打开对应世代号的宝可梦图鉴 JSON 文件withopen(os.path.join(self._static_files_root,"pokedex",f"gen{gen}pokedex.json"))as f:# 使用 orjson 库加载 JSON 文件内容dex = orjson.loads(f.read())# 创建一个空字典用于存储其他形态的宝可梦数据other_forms_dex: Dict[str, Any]={}# 遍历宝可梦图鉴数据for value in dex.values():# 如果存在"cosmeticFormes"字段if"cosmeticFormes"in value:# 遍历所有的其他形态for other_form in value["cosmeticFormes"]:# 将其他形态的数据存入字典中other_forms_dex[to_id_str(other_form)]= value# 处理皮卡丘的特殊形态for name, value in dex.items():# 如果名称以"pikachu"开头且不是"pikachu"或"pikachugmax"if name.startswith("pikachu")and name notin{"pikachu","pikachugmax"}:# 添加对应的"gmax"形态数据other_forms_dex[name +"gmax"]= dex["pikachugmax"]# 将其他形态数据合并到原始数据中dex.update(other_forms_dex)# 更新宝可梦数据中的"species"字段for name, value in dex.items():# 如果存在"baseSpecies"字段if"baseSpecies"in value:# 将"species"字段设置为"baseSpecies"字段的值value["species"]= value["baseSpecies"]else:# 否则将"baseSpecies"字段设置为名称的标准化形式value["baseSpecies"]= to_id_str(name)# 返回更新后的宝可梦图鉴数据return dex# 加载指定世代的类型相克表defload_type_chart(self, gen:int)-> Dict[str, Dict[str,float]]:# 打开对应世代的类型相克表 JSON 文件withopen(os.path.join(self._static_files_root,"typechart",f"gen{gen}typechart.json"))as chart:# 将 JSON 文件内容加载为字典json_chart = orjson.loads(chart.read())# 获取所有类型并转换为大写types =[str(type_).upper()for type_ in json_chart]# 初始化类型相克表字典type_chart ={type_1:{type_2:1.0for type_2 in types}for type_1 in types}# 遍历类型相克表数据for type_, data in json_chart.items():type_ = type_.upper()# 遍历每个类型对应的伤害倍数for other_type, damage_taken in data["damageTaken"].items():if other_type.upper()notin types:continue# 确保伤害倍数在合法范围内assert damage_taken in{0,1,2,3},(data["damageTaken"], type_)# 根据伤害倍数设置相应的伤害值if damage_taken ==0:type_chart[type_][other_type.upper()]=1elif damage_taken ==1:type_chart[type_][other_type.upper()]=2elif damage_taken ==2:type_chart[type_][other_type.upper()]=0.5elif damage_taken ==3:type_chart[type_][other_type.upper()]=0# 确保所有类型都在类型相克表中assertset(types).issubset(set(type_chart))# 确保类型相克表的长度与类型列表长度相同assertlen(type_chart)==len(types)# 确保每个类型的相克效果字典长度与类型列表长度相同for effectiveness in type_chart.values():assertlen(effectiveness)==len(types)# 返回类型相克表return type_chart# 返回静态文件根目录路径@propertydef_static_files_root(self)->str:return os.path.join(os.path.dirname(os.path.realpath(__file__)),"static")# 根据世代创建 GenData 实例@classmethod@lru_cache(None)deffrom_gen(cls, gen:int)-> GenData:# 创建指定世代的 GenData 实例gen_data = GenData(gen)# 将 GenData 实例存储到类属性中cls._gen_data_per_gen[gen]= gen_datareturn gen_data# 根据格式创建 GenData 实例@classmethod@lru_cache(None)deffrom_format(cls,format:str)-> GenData:# 解析出世代号gen =int(format[3])# Update when Gen 10 comes# 根据世代号创建 GenData 实例return cls.from_gen(gen)
.\PokeLLMon\poke_env\data\normalize.py
# 导入 functools 模块中的 lru_cache 装饰器from functools import lru_cache# 使用 lru_cache 装饰器缓存函数的结果,缓存大小为 2 的 13 次方@lru_cache(2**13)# 定义函数 to_id_str,将全名转换为对应的 ID 字符串defto_id_str(name:str)->str:"""Converts a full-name to its corresponding id string.:param name: The name to convert.:type name: str:return: The corresponding id string.:rtype: str"""# 将输入的名字中的字母和数字提取出来,转换为小写,并拼接成字符串return"".join(char for char in name if char.isalnum()).lower()
# 导入必要的模块import os
from abc import ABC, abstractmethod
from logging import Logger
from typing import Any, Dict, List, Optional, Set, Tuple, Union# 导入自定义模块from poke_env.data import GenData, to_id_str
from poke_env.data.replay_template import REPLAY_TEMPLATE
from poke_env.environment.field import Field
from poke_env.environment.pokemon import Pokemon
from poke_env.environment.side_condition import STACKABLE_CONDITIONS, SideCondition
from poke_env.environment.weather import Weather# 定义一个抽象类 AbstractBattleclassAbstractBattle(ABC):# 定义一个常量集合,包含需要忽略的消息MESSAGES_TO_IGNORE ={"-anim","-burst","-block","-center","-crit","-combine","-fail","-fieldactivate","-hint","-hitcount","-ohko","-miss","-notarget","-nothing","-resisted","-singlemove","-singleturn","-supereffective","-waiting","-zbroken","askreg","debug","chat","c","crit","deinit","gametype","gen","html","init","immune","join","j","J","leave","l","L","name","n","rated","resisted","split","supereffective","teampreview","tier","upkeep","zbroken",}# 定义类的属性,使用 __slots__ 来限制实例的属性,提高内存利用效率__slots__ =("_anybody_inactive","_available_moves","_available_switches","_battle_tag","_can_dynamax","_can_mega_evolve","_can_tera","_can_z_move","_data","_dynamax_turn","_fields","_finished","_force_switch","_format","in_team_preview","_max_team_size","_maybe_trapped","_move_on_next_request","_opponent_can_dynamax","_opponent_can_mega_evolve","_opponent_can_terrastallize","_opponent_can_z_move","_opponent_dynamax_turn","_opponent_rating","_opponent_side_conditions","_opponent_team","_opponent_username","_player_role","_player_username","_players","_rating","_reconnected","_replay_data","_rqid","rules","_reviving","_save_replays","_side_conditions","_team_size","_team","_teampreview_opponent_team","_teampreview","_trapped","_turn","_wait","_weather","_won","logger",)# 初始化方法,用于创建类的实例def__init__(self,battle_tag:str,# 战斗标签username:str,# 用户名logger: Logger,# 日志记录器save_replays: Union[str,bool],# 保存重播记录的路径或布尔值gen:int,# 世代# 加载数据self._data = GenData.from_gen(gen)# 工具属性self._battle_tag:str= battle_tagself._format: Optional[str]=Noneself._max_team_size: Optional[int]=Noneself._opponent_username: Optional[str]=Noneself._player_role: Optional[str]=Noneself._player_username:str= usernameself._players: List[Dict[str,str]]=[]self._replay_data: List[List[str]]=[]self._save_replays: Union[str,bool]= save_replaysself._team_size: Dict[str,int]={}self._teampreview:bool=Falseself._teampreview_opponent_team: Set[Pokemon]=set()self._anybody_inactive:bool=Falseself._reconnected:bool=Trueself.logger: Optional[Logger]= logger# 回合选择属性self.in_team_preview:bool=Falseself._move_on_next_request:bool=Falseself._wait: Optional[bool]=None# 战斗状态属性self._dynamax_turn: Optional[int]=Noneself._finished:bool=Falseself._rqid =0self.rules: List[str]=[]self._turn:int=0self._opponent_can_terrastallize:bool=Trueself._opponent_dynamax_turn: Optional[int]=Noneself._opponent_rating: Optional[int]=Noneself._rating: Optional[int]=Noneself._won: Optional[bool]=None# 游戏中的战斗状态属性self._weather: Dict[Weather,int]={}self._fields: Dict[Field,int]={}# set()self._opponent_side_conditions: Dict[SideCondition,int]={}# set()self._side_conditions: Dict[SideCondition,int]={}# set()self._reviving:bool=False# Pokemon 属性self._team: Dict[str, Pokemon]={}self._opponent_team: Dict[str, Pokemon]={}# 定义一个方法用于获取精灵信息defget_pokemon(self,identifier:str,force_self_team:bool=False,details:str="",request: Optional[Dict[str, Any]]=None,# 定义一个抽象方法用于清除所有精灵的增益效果@abstractmethoddefclear_all_boosts(self):pass# 检查伤害信息中是否包含关于道具的信息def_check_damage_message_for_item(self, split_message: List[str]):# 捕获对方精灵受到道具伤害的情况# 道具属于未受伤害的一方if(len(split_message)==6and split_message[4].startswith("[from] item:")and split_message[5].startswith("[of]")):item = split_message[4].split("item:")[-1]pkmn = split_message[5].split("[of]")[-1].strip()self.get_pokemon(pkmn).item = to_id_str(item)# 捕获自身精灵受到道具伤害的情况# 道具属于受伤害的一方eliflen(split_message)==5and split_message[4].startswith("[from] item:"):item = split_message[4].split("item:")[-1]pkmn = split_message[2]self.get_pokemon(pkmn).item = to_id_str(item)def_check_damage_message_for_ability(self, split_message: List[str]):# 检查是否有对手的能力造成伤害的消息# 物品来自未受伤害的一方# 例如:# |-damage|p2a: Archeops|88/100|[from] ability: Iron Barbs|[of] p1a: Ferrothornif(len(split_message)==6and split_message[4].startswith("[from] ability:")and split_message[5].startswith("[of]")):# 从消息中提取能力信息ability = split_message[4].split("ability:")[-1]# 从消息中提取宝可梦信息pkmn = split_message[5].split("[of]")[-1].strip()# 设置宝可梦的能力self.get_pokemon(pkmn).ability = to_id_str(ability)def_check_heal_message_for_item(self, split_message: List[str]):# 检查是否有宝可梦从自己的物品中恢复# 检查物品不为 None 是必要的,因为 PS 模拟器会在消耗掉一颗树果后才显示恢复消息# 例子:# |-heal|p2a: Quagsire|100/100|[from] item: Leftovers# |-heal|p2a: Quagsire|100/100|[from] item: Sitrus Berryiflen(split_message)==5and split_message[4].startswith("[from] item:"):# 从消息中提取宝可梦信息pkmn = split_message[2]# 从消息中提取物品信息item = split_message[4].split("item:")[-1]# 获取宝可梦对象pkmn_object = self.get_pokemon(pkmn)# 如果宝可梦已经有物品,则设置物品if pkmn_object.item isnotNone:pkmn_object.item = to_id_str(item)# 检查治疗消息中是否包含能力相关信息def_check_heal_message_for_ability(self, split_message: List[str]):# 捕获当一方通过自身能力进行治疗的情况# PS 服务器发送的 "of" 组件有点误导性# 它暗示能力来自对立方# 示例:# |-heal|p2a: Quagsire|100/100|[from] ability: Water Absorb|[of] p1a: Genesectiflen(split_message)==6and split_message[4].startswith("[from] ability:"):# 提取能力信息ability = split_message[4].split("ability:")[-1]# 提取宝可梦名称pkmn = split_message[2]# 设置宝可梦的能力self.get_pokemon(pkmn).ability = to_id_str(ability)@abstractmethod# 结束幻象状态的抽象方法defend_illusion(self, pokemon_name:str, details:str):pass# 结束幻象状态的具体实现def_end_illusion_on(self, illusionist: Optional[str], illusioned: Optional[Pokemon], details:str):# 如果没有幻象者,则抛出异常if illusionist isNone:raise ValueError("Cannot end illusion without an active pokemon.")# 如果没有被幻象的宝可梦,则抛出异常if illusioned isNone:raise ValueError("Cannot end illusion without an illusioned pokemon.")# 获取幻象者的宝可梦对象illusionist_mon = self.get_pokemon(illusionist, details=details)# 如果幻象者和被幻象的宝可梦是同一个,则直接返回幻象者if illusionist_mon is illusioned:return illusionist_mon# 将幻象者切换到战斗状态illusionist_mon.switch_in(details=details)# 设置幻象者的状态illusionist_mon.status =(illusioned.status.name if illusioned.status isnotNoneelseNone)# 设置幻象者的生命值illusionist_mon.set_hp(f"{illusioned.current_hp}/{illusioned.max_hp}")# 标记被幻象的宝可梦已经解除幻象状态illusioned.was_illusioned()return illusionist_mon# 处理场地结束状态的方法def_field_end(self, field_str:str):# 从 Showdown 消息中创建场地对象field = Field.from_showdown_message(field_str)# 如果场地不是未知状态,则移除该场地if field isnot Field.UNKNOWN:self._fields.pop(field)# 定义一个方法,用于处理战场开始的字段信息deffield_start(self, field_str:str):# 将传入的字段信息转换为Field对象field = Field.from_showdown_message(field_str)# 如果字段是地形字段if field.is_terrain:# 更新战场上的字段信息,移除之前的地形字段self._fields ={field: turnfor field, turn in self._fields.items()ifnot field.is_terrain}# 将当前字段信息添加到战场上self._fields[field]= self.turn# 完成战斗def_finish_battle(self):# 如果需要保存战斗回放if self._save_replays:# 根据保存回放的设置确定保存的文件夹if self._save_replays isTrue:folder ="replays"else:folder =str(self._save_replays)# 如果文件夹不存在,则创建文件夹ifnot os.path.exists(folder):os.mkdir(folder)# 打开文件,写入格式化后的回放数据withopen(os.path.join(folder,f"{self._player_username} - {self.battle_tag}.html"),"w+",encoding="utf-8",)as f:formatted_replay = REPLAY_TEMPLATE# 替换模板中的占位符为实际数据formatted_replay = formatted_replay.replace("{BATTLE_TAG}",f"{self.battle_tag}")formatted_replay = formatted_replay.replace("{PLAYER_USERNAME}",f"{self._player_username}")formatted_replay = formatted_replay.replace("{OPPONENT_USERNAME}",f"{self._opponent_username}")replay_log =f">{self.battle_tag}"+"\n".join(["|".join(split_message)for split_message in self._replay_data])formatted_replay = formatted_replay.replace("{REPLAY_LOG}", replay_log)f.write(formatted_replay)# 标记战斗结束self._finished =True# 抽象方法,用于解析请求@abstractmethoddefparse_request(self, request: Dict[str, Any]):pass# 注册对手的队伍信息def_register_teampreview_pokemon(self, player:str, details:str):# 如果玩家不是当前玩家角色if player != self._player_role:# 创建Pokemon对象,并添加到对手的队伍信息中mon = Pokemon(details=details, gen=self._data.gen)self._teampreview_opponent_team.add(mon)# 根据给定的边(side)和条件字符串(condition_str)来结束边的状态defside_end(self, side:str, condition_str:str):# 如果边的前两个字符与玩家角色相同,则使用边的条件if side[:2]== self._player_role:conditions = self.side_conditionselse:conditions = self.opponent_side_conditions# 从 Showdown 消息中创建边的条件对象condition = SideCondition.from_showdown_message(condition_str)# 如果条件不是未知状态,则从条件中移除if condition isnot SideCondition.UNKNOWN:conditions.pop(condition)# 根据给定的边(side)和条件字符串(condition_str)来开始边的状态def_side_start(self, side:str, condition_str:str):# 如果边的前两个字符与玩家角色相同,则使用边的条件if side[:2]== self._player_role:conditions = self.side_conditionselse:conditions = self.opponent_side_conditions# 从 Showdown 消息中创建边的条件对象condition = SideCondition.from_showdown_message(condition_str)# 如果条件可以叠加,则将条件添加到边的条件中if condition in STACKABLE_CONDITIONS:conditions[condition]= conditions.get(condition,0)+1# 如果条件不在边的条件中,则将条件添加到边的条件中,并记录回合数elif condition notin conditions:conditions[condition]= self.turn# 交换精灵,暂未实现def_swap(self, pokemon_str:str, slot:str):if self.logger isnotNone:self.logger.warning("swap method in Battle is not implemented")# 切换精灵的抽象方法@abstractmethoddefswitch(self, pokemon_str:str, details:str, hp_status:str):pass# 平局结束战斗deftied(self):self._finish_battle()# 从请求中更新队伍信息def_update_team_from_request(self, side: Dict[str, Any]):for pokemon in side["pokemon"]:# 如果精灵在队伍中,则更新精灵信息,否则创建新的精灵if pokemon["ident"]in self._team:self._team[pokemon["ident"]].update_from_request(pokemon)else:self.get_pokemon(pokemon["ident"], force_self_team=True, request=pokemon)# 根据获胜玩家名字结束战斗defwon_by(self, player_name:str):# 如果获胜玩家名字与玩家用户名相同,则设置胜利标志为 True,否则为 Falseif player_name == self._player_username:self._won =Trueelse:self._won =False# 结束战斗self._finish_battle()# 结束回合defend_turn(self, turn:int):# 更新当前回合数self.turn = turn# 对所有活跃的精灵执行结束回合操作for mon in self.all_active_pokemons:if mon:mon.end_turn()# 获取当前活跃的精灵的抽象属性@property@abstractmethoddefactive_pokemon(self)-> Any:pass@property@abstractmethoddefall_active_pokemons(self)-> List[Optional[Pokemon]]:pass@property@abstractmethoddefavailable_moves(self)-> Any:pass@property@abstractmethoddefavailable_switches(self)-> Any:pass@propertydefbattle_tag(self)->str:""":return: The battle identifier.:rtype: str"""return self._battle_tag@property@abstractmethoddefcan_dynamax(self)-> Any:pass@property@abstractmethoddefcan_mega_evolve(self)-> Any:pass@property@abstractmethoddefcan_z_move(self)-> Any:pass@property@abstractmethoddefcan_tera(self)-> Any:pass@propertydefdynamax_turns_left(self)-> Optional[int]:""":return: How many turns of dynamax are left. None if dynamax is not active:rtype: int, optional"""if self._dynamax_turn isnotNoneandany(map(lambda pokemon: pokemon.is_dynamaxed, self._team.values())):returnmax(3-(self.turn - self._dynamax_turn),0)@propertydeffields(self)-> Dict[Field,int]:""":return: A Dict mapping fields to the turn they have been activated.:rtype: Dict[Field, int]"""return self._fields@propertydeffinished(self)->bool:""":return: A boolean indicating whether the battle is finished.:rtype: Optional[bool]"""return self._finished@property@abstractmethoddefforce_switch(self)-> Any:pass@propertydeflost(self)-> Optional[bool]:""":return: If the battle is finished, a boolean indicating whether the battle islost. Otherwise None.:rtype: Optional[bool]"""returnNoneif self._won isNoneelsenot self._won@property# 返回团队预览中可接受的最大团队大小,如果适用的话defmax_team_size(self)-> Optional[int]:return self._max_team_size# 抽象方法,可能被困住的情况@property@abstractmethoddefmaybe_trapped(self)-> Any:pass# 抽象方法,对手的当前激活精灵@property@abstractmethoddefopponent_active_pokemon(self)-> Any:pass# 抽象方法,对手是否可以激活极巨化@property@abstractmethoddefopponent_can_dynamax(self)-> Any:pass# 设置对手是否可以激活极巨化@opponent_can_dynamax.setter@abstractmethoddefopponent_can_dynamax(self, value:bool)-> Any:pass# 返回对手的精灵剩余的极巨化回合数@propertydefopponent_dynamax_turns_left(self)-> Optional[int]:if self._opponent_dynamax_turn isnotNoneandany(map(lambda pokemon: pokemon.is_dynamaxed, self._opponent_team.values())):returnmax(3-(self.turn - self._opponent_dynamax_turn),0)# 返回对手的角色在给定的战斗中,p1 或 p2@propertydefopponent_role(self)-> Optional[str]:if self.player_role =="p1":return"p2"if self.player_role =="p2":return"p1"# 返回对手的场地状态@propertydefopponent_side_conditions(self)-> Dict[SideCondition,int]:return self._opponent_side_conditionsdefopponent_team(self)-> Dict[str, Pokemon]:"""During teampreview, keys are not definitive: please rely on values.:return: The opponent's team. Keys are identifiers, values are pokemon objects.:rtype: Dict[str, Pokemon]"""# 如果已经存在对手队伍信息,则直接返回if self._opponent_team:return self._opponent_teamelse:# 否则根据对手队伍预览信息生成对手队伍字典并返回return{mon.species: mon for mon in self._teampreview_opponent_team}@propertydefopponent_username(self)-> Optional[str]:""":return: The opponent's username, or None if unknown.:rtype: str, optional."""# 返回对手的用户名,如果未知则返回 Nonereturn self._opponent_username@opponent_username.setterdefopponent_username(self, value:str):# 设置对手的用户名self._opponent_username = value@propertydefplayer_role(self)-> Optional[str]:""":return: Player's role in given battle. p1/p2:rtype: str, optional"""# 返回玩家在战斗中的角色,可能是 p1 或 p2return self._player_role@player_role.setterdefplayer_role(self, value: Optional[str]):# 设置玩家在战斗中的角色self._player_role = value@propertydefplayer_username(self)->str:""":return: The player's username.:rtype: str"""# 返回玩家的用户名return self._player_username@player_username.setterdefplayer_username(self, value:str):# 设置玩家的用户名self._player_username = value@propertydefplayers(self)-> Tuple[str,str]:""":return: The pair of players' usernames.:rtype: Tuple[str, str]"""# 返回玩家对的用户名组成的元组return self._players[0]["username"], self._players[1]["username"]@players.setterdefplayers(self, players: Tuple[str,str]):"""Sets the battle player's name::param player_1: First player's username.:type player_1: str:param player_1: Second player's username.:type player_2: str"""# 解包玩家名称元组player_1, player_2 = players# 根据当前玩家用户名设置对手用户名if player_1 != self._player_username:self._opponent_username = player_1else:self._opponent_username = player_2@propertydefrating(self)-> Optional[int]:"""Player's rating after the end of the battle, if it was received.:return: The player's rating after the end of the battle.:rtype: int, optional"""# 返回玩家战斗结束后的评分return self._rating@propertydefopponent_rating(self)-> Optional[int]:"""Opponent's rating after the end of the battle, if it was received.:return: The opponent's rating after the end of the battle.:rtype: int, optional"""# 返回对手战斗结束后的评分return self._opponent_rating@propertydefrqid(self)->int:"""Should not be used.:return: The last request's rqid.:rtype: Tuple[str, str]"""# 不应该使用,返回最后一个请求的 rqidreturn self._rqid@propertydefside_conditions(self)-> Dict[SideCondition,int]:""":return: The player's side conditions. Keys are SideCondition objects, valuesare:- the number of layers of the side condition if the side condition isstackable- the turn where the SideCondition was setup otherwise:rtype: Dict[SideCondition, int]"""# 返回玩家的边界条件,键为 SideCondition 对象,值为边界条件的层数或设置边界条件的回合数return self._side_conditions@propertydefteam(self)-> Dict[str, Pokemon]:""":return: The player's team. Keys are identifiers, values are pokemon objects.:rtype: Dict[str, Pokemon]"""# 返回玩家的队伍,键为标识符,值为 Pokemon 对象return self._team@team.setterdefteam(self, value: Dict[str, Pokemon]):# 设置玩家的队伍self._team = value@propertydefteam_size(self)->int:""":return: The number of Pokemon in the player's team.:rtype: int"""# 返回玩家队伍中的 Pokemon 数量if self._player_role isnotNone:return self._team_size[self._player_role]# 如果没有分配玩家角色,则引发 ValueErrorraise ValueError("Team size cannot be inferred without an assigned player role.")@propertydefteampreview(self)->bool:""":return: Whether the battle is awaiting a teampreview order.:rtype: bool"""# 返回战斗是否等待 teampreview 命令return self._teampreview@property@abstractmethoddeftrapped(self)-> Any:pass@trapped.setter@abstractmethoddeftrapped(self, value: Any):pass@propertydefturn(self)->int:""":return: The current battle turn.:rtype: int"""# 返回当前战斗回合数return self._turn@turn.setterdefturn(self, turn:int):"""Sets the current turn counter to given value.:param turn: Current turn value.:type turn: int"""# 将当前回合计数器设置为给定值self._turn = turn@propertydefweather(self)-> Dict[Weather,int]:""":return: A Dict mapping the battle's weather (if any) to its starting turn:rtype: Dict[Weather, int]"""# 返回将战斗天气(如果有)映射到其起始回合的字典return self._weather@propertydefwon(self)-> Optional[bool]:""":return: If the battle is finished, a boolean indicating whether the battle iswon. Otherwise None.:rtype: Optional[bool]"""# 如果战斗结束,返回一个布尔值指示战斗是否获胜,否则返回 Nonereturn self._won@propertydefmove_on_next_request(self)->bool:""":return: Whether the next received request should yield a move order directly.This can happen when a switch is forced, or an error is encountered.:rtype: bool"""# 返回下一个接收到的请求是否应直接产生移动顺序# 当强制切换或遇到错误时会发生这种情况return self._move_on_next_request@move_on_next_request.setter# 设置是否继续处理下一个请求的标志位defmove_on_next_request(self, value:bool):# 将传入的布尔值赋给私有属性 _move_on_next_requestself._move_on_next_request = value# 获取是否正在恢复的属性@propertydefreviving(self)->bool:# 返回私有属性 _reviving 的布尔值return self._reviving
.\PokeLLMon\poke_env\environment\battle.py
# 导入所需模块from logging import Logger
from typing import Any, Dict, List, Optional, Union# 导入自定义模块from poke_env.environment.abstract_battle import AbstractBattle
from poke_env.environment.move import Move
from poke_env.environment.pokemon import Pokemon
from poke_env.environment.pokemon_type import PokemonType# 定义 Battle 类,继承自 AbstractBattle 类classBattle(AbstractBattle):# 初始化方法def__init__(self,battle_tag:str,username:str,logger: Logger,gen:int,save_replays: Union[str,bool]=False,):# 调用父类的初始化方法super(Battle, self).__init__(battle_tag, username, logger, save_replays, gen)# 初始化回合选择属性self._available_moves: List[Move]=[]self._available_switches: List[Pokemon]=[]self._can_dynamax:bool=Falseself._can_mega_evolve:bool=Falseself._can_tera: Optional[PokemonType]=Noneself._can_z_move:bool=Falseself._opponent_can_dynamax =Trueself._opponent_can_mega_evolve =Trueself._opponent_can_z_move =Trueself._opponent_can_tera:bool=Falseself._force_switch:bool=Falseself._maybe_trapped:bool=Falseself._trapped:bool=False# 初始化属性self.battle_msg_history =""self.pokemon_hp_log_dict ={}self.speed_list =[]# 清除所有属性提升defclear_all_boosts(self):if self.active_pokemon isnotNone:self.active_pokemon.clear_boosts()if self.opponent_active_pokemon isnotNone:self.opponent_active_pokemon.clear_boosts()# 结束幻象状态defend_illusion(self, pokemon_name:str, details:str):# 根据角色名判断幻象状态的 Pokemonif pokemon_name[:2]== self._player_role:active = self.active_pokemonelse:active = self.opponent_active_pokemon# 如果没有活跃的 Pokemon,则抛出异常if active isNone:raise ValueError("Cannot end illusion without an active pokemon.")# 结束幻象状态self._end_illusion_on(illusioned=active, illusionist=pokemon_name, details=details)defswitch(self, pokemon_str:str, details:str, hp_status:str):# 从传入的字符串中提取精灵标识符identifier = pokemon_str.split(":")[0][:2]# 如果标识符与玩家角色相同if identifier == self._player_role:# 如果存在活跃的精灵,让其退出战斗if self.active_pokemon:self.active_pokemon.switch_out()else:# 如果对手存在活跃的精灵,让其退出战斗if self.opponent_active_pokemon:self.opponent_active_pokemon.switch_out()# 获取指定的精灵对象pokemon = self.get_pokemon(pokemon_str, details=details)# 让指定的精灵进入战斗,并设置其血量状态pokemon.switch_in(details=details)pokemon.set_hp_status(hp_status)@propertydefactive_pokemon(self)-> Optional[Pokemon]:""":return: 活跃的精灵:rtype: Optional[Pokemon]"""# 返回队伍中活跃的精灵for pokemon in self.team.values():if pokemon.active:return pokemon@propertydefall_active_pokemons(self)-> List[Optional[Pokemon]]:""":return: 包含所有活跃精灵和/或 None 的列表:rtype: List[Optional[Pokemon]"""# 返回包含玩家和对手活跃精灵的列表return[self.active_pokemon, self.opponent_active_pokemon]@propertydefavailable_moves(self)-> List[Move]:""":return: 玩家可以在当前回合使用的招式列表:rtype: List[Move]"""# 返回玩家可以使用的招式列表return self._available_moves@propertydefavailable_switches(self)-> List[Pokemon]:""":return: 玩家可以在当前回合进行的替换列表:rtype: List[Pokemon]"""# 返回玩家可以进行的替换列表return self._available_switches@propertydefcan_dynamax(self)->bool:""":return: 当前活跃精灵是否可以极巨化:rtype: bool"""# 返回当前活跃精灵是否可以进行极巨化return self._can_dynamax@propertydefcan_mega_evolve(self)->bool:""":return: 当前活跃精灵是否可以超级进化:rtype: bool"""# 返回当前活跃精灵是否可以进行超级进化return self._can_mega_evolve@propertydefcan_tera(self)-> Optional[PokemonType]:""":return: None, or the type the active pokemon can terastallize into.:rtype: PokemonType, optional"""# 返回当前活跃宝可梦可以转变成的类型,如果不能则返回 Nonereturn self._can_tera@propertydefcan_z_move(self)->bool:""":return: Whether or not the current active pokemon can z-move.:rtype: bool"""# 返回当前活跃宝可梦是否可以使用 Z 招式return self._can_z_move@propertydefforce_switch(self)->bool:""":return: A boolean indicating whether the active pokemon is forced to switchout.:rtype: Optional[bool]"""# 返回一个布尔值,指示当前活跃宝可梦是否被迫交换出场return self._force_switch@propertydefmaybe_trapped(self)->bool:""":return: A boolean indicating whether the active pokemon is maybe trapped by theopponent.:rtype: bool"""# 返回一个布尔值,指示当前活跃宝可梦是否可能被对手困住return self._maybe_trapped@propertydefopponent_active_pokemon(self)-> Optional[Pokemon]:""":return: The opponent active pokemon:rtype: Pokemon"""# 返回对手当前活跃的宝可梦for pokemon in self.opponent_team.values():if pokemon.active:return pokemonreturnNone@propertydefopponent_can_dynamax(self)->bool:""":return: Whether or not opponent's current active pokemon can dynamax:rtype: bool"""# 返回对手当前活跃的宝可梦是否可以极巨化return self._opponent_can_dynamax@opponent_can_dynamax.setterdefopponent_can_dynamax(self, value:bool):self._opponent_can_dynamax = value@propertydefopponent_can_mega_evolve(self)->bool:""":return: Whether or not opponent's current active pokemon can mega-evolve:rtype: bool"""# 返回对手当前活跃的宝可梦是否可以超级进化return self._opponent_can_mega_evolve@opponent_can_mega_evolve.setterdefopponent_can_mega_evolve(self, value:bool):self._opponent_can_mega_evolve = valuedefopponent_can_tera(self)->bool:""":return: Whether or not opponent's current active pokemon can terastallize:rtype: bool"""# 返回对手当前激活的宝可梦是否可以使用 terastallizereturn self._opponent_can_tera@propertydefopponent_can_z_move(self)->bool:""":return: Whether or not opponent's current active pokemon can z-move:rtype: bool"""# 返回对手当前激活的宝可梦是否可以使用 z-movereturn self._opponent_can_z_move@opponent_can_z_move.setterdefopponent_can_z_move(self, value:bool):# 设置对手当前激活的宝可梦是否可以使用 z-moveself._opponent_can_z_move = value@propertydeftrapped(self)->bool:""":return: A boolean indicating whether the active pokemon is trapped, either bythe opponent or as a side effect of one your moves.:rtype: bool"""# 返回一个布尔值,指示激活的宝可梦是否被困住,无论是被对手困住还是作为你的招式的副作用return self._trapped@trapped.setterdeftrapped(self, value:bool):# 设置激活的宝可梦是否被困住self._trapped = value
1.6 C set 容器
一般性的 Set 实现而言,是无序的,在 C 中,std::set 是有序的容器,它基于红黑树(Red-Black Tree)实现,并且会根据元素的键值进行排序。因此,std::set 中的元素总是按…