PokéLLMon 源码解析(二)(1)

本文涉及的产品
云解析 DNS,旗舰版 1个月
全局流量管理 GTM,标准版 1个月
公共DNS(含HTTPDNS解析),每月1000万次HTTP解析
简介: PokéLLMon 源码解析(二)(1)

.\PokeLLMon\poke_env\environment\double_battle.py

# 从 logging 模块中导入 Logger 类
from logging import Logger
# 从 typing 模块中导入 Any, Dict, List, Optional, Union 类型
from typing import Any, Dict, List, Optional, Union
# 从 poke_env.environment.abstract_battle 模块中导入 AbstractBattle 类
from poke_env.environment.abstract_battle import AbstractBattle
# 从 poke_env.environment.move 模块中导入 SPECIAL_MOVES, Move 类
from poke_env.environment.move import SPECIAL_MOVES, Move
# 从 poke_env.environment.move_category 模块中导入 MoveCategory 类
from poke_env.environment.move_category import MoveCategory
# 从 poke_env.environment.pokemon 模块中导入 Pokemon 类
from poke_env.environment.pokemon import Pokemon
# 从 poke_env.environment.pokemon_type 模块中导入 PokemonType 类
from poke_env.environment.pokemon_type import PokemonType
# 定义 DoubleBattle 类,继承自 AbstractBattle 类
class DoubleBattle(AbstractBattle):
    # 定义常量 POKEMON_1_POSITION 为 -1
    POKEMON_1_POSITION = -1
    # 定义常量 POKEMON_2_POSITION 为 -2
    POKEMON_2_POSITION = -2
    # 定义常量 OPPONENT_1_POSITION 为 1
    OPPONENT_1_POSITION = 1
    # 定义常量 OPPONENT_2_POSITION 为 2
    OPPONENT_2_POSITION = 2
    # 定义常量 EMPTY_TARGET_POSITION 为 0,仅为符号,不被 showdown 使用
    # 初始化方法
    def __init__(
        self,
        battle_tag: str,
        username: str,
        logger: Logger,
        gen: int,
        save_replays: Union[str, bool] = False,
    ):
        # 调用父类的初始化方法
        super(DoubleBattle, self).__init__(
            battle_tag, username, logger, save_replays, gen=gen
        )
        # 初始化回合选择属性
        self._available_moves: List[List[Move]] = [[], []]
        self._available_switches: List[List[Pokemon]] = [[], []]
        self._can_mega_evolve: List[bool] = [False, False]
        self._can_z_move: List[bool] = [False, False]
        self._can_dynamax: List[bool] = [False, False]
        self._can_tera: List[Union[bool, PokemonType]] = [False, False]
        self._opponent_can_dynamax: List[bool] = [True, True]
        self._opponent_can_mega_evolve: List[bool] = [True, True]
        self._opponent_can_z_move: List[bool] = [True, True]
        self._force_switch: List[bool] = [False, False]
        self._maybe_trapped: List[bool] = [False, False]
        self._trapped: List[bool] = [False, False]
        # 初始化战斗状态属性
        self._active_pokemon: Dict[str, Pokemon] = {}
        self._opponent_active_pokemon: Dict[str, Pokemon] = {}
        # 其他属性
        self._move_to_pokemon_id: Dict[Move, str] = {}
    # 清除所有精灵的增益效果
    def clear_all_boosts(self):
        # 遍历己方和对手的所有精灵
        for active_pokemon_group in (self.active_pokemon, self.opponent_active_pokemon):
            for active_pokemon in active_pokemon_group:
                # 如果精灵存在,则清除其增益效果
                if active_pokemon is not None:
                    active_pokemon.clear_boosts()
    # 结束幻象状态
    def end_illusion(self, pokemon_name: str, details: str):
        # 获取玩家标识符和精灵标识符
        player_identifier = pokemon_name[:2]
        pokemon_identifier = pokemon_name[:3]
        # 根据玩家标识符确定要操作的精灵字典
        if player_identifier == self._player_role:
            active_dict = self._active_pokemon
        else:
            active_dict = self._opponent_active_pokemon
        # 获取要结束幻象状态的精灵
        active = active_dict.get(pokemon_identifier)
        
        # 在指定精灵上结束幻象状态
        active_dict[pokemon_identifier] = self._end_illusion_on(
            illusioned=active, illusionist=pokemon_name, details=details
        )
    # 获取活跃的精灵
    @staticmethod
    def _get_active_pokemon(
        active_pokemon: Dict[str, Pokemon], role: str
    ) -> List[Optional[Pokemon]]:
        # 获取指定角色的两只精灵
        pokemon_1 = active_pokemon.get(f"{role}a")
        pokemon_2 = active_pokemon.get(f"{role}b")
        # 如果第一只精灵不存在或不活跃或已经倒下,则置为None
        if pokemon_1 is None or not pokemon_1.active or pokemon_1.fainted:
            pokemon_1 = None
        # 如果第二只精灵不存在或不活跃或已经倒下,则置为None
        if pokemon_2 is None or not pokemon_2.active or pokemon_2.fainted:
            pokemon_2 = None
        # 返回两只精灵的列表
        return [pokemon_1, pokemon_2]
    # 精灵交换
    def switch(self, pokemon_str: str, details: str, hp_status: str):
        # 获取精灵标识符和玩家标识符
        pokemon_identifier = pokemon_str.split(":")[0][:3]
        player_identifier = pokemon_identifier[:2]
        # 根据玩家标识符确定要操作的精灵字典
        team = (
            self._active_pokemon
            if player_identifier == self._player_role
            else self._opponent_active_pokemon
        )
        # 弹出要交换出去的精灵
        pokemon_out = team.pop(pokemon_identifier, None)
        # 如果精灵存在,则执行交换出去的操作
        if pokemon_out is not None:
            pokemon_out.switch_out()
        # 获取要交换进来的精灵
        pokemon_in = self.get_pokemon(pokemon_str, details=details)
        # 执行交换进来的操作
        pokemon_in.switch_in()
        # 设置精灵的血量状态
        pokemon_in.set_hp_status(hp_status)
        # 将新的精灵放入对应的精灵字典中
        team[pokemon_identifier] = pokemon_in
    # 交换指定精灵和指定槽位的精灵
    def _swap(self, pokemon_str: str, slot: str):
        # 获取玩家标识符
        player_identifier = pokemon_str.split(":")[0][:2]
        # 根据玩家标识符确定当前活跃的精灵
        active = (
            self._active_pokemon
            if player_identifier == self.player_role
            else self._opponent_active_pokemon
        )
        # 确定玩家槽位标识符
        slot_a = f"{player_identifier}a"
        slot_b = f"{player_identifier}b"
        # 如果槽位A或槽位B的精灵已经倒下,则不执行交换操作
        if active[slot_a].fainted or active[slot_b].fainted:
            return
        # 获取槽位A和槽位B的精灵
        slot_a_mon = active[slot_a]
        slot_b_mon = active[slot_b]
        # 获取指定的精灵
        pokemon = self.get_pokemon(pokemon_str)
        # 如果槽位为0且精灵为槽位A的精灵,或者槽位为1且精灵为槽位B的精灵,则不执行交换操作
        if (slot == "0" and pokemon == slot_a_mon) or (
            slot == "1" and pokemon == slot_b_mon
        ):
            pass
        else:
            # 交换槽位A和槽位B的精灵
            active[slot_a], active[slot_b] = active[slot_b], active[slot_a]
    # 获取可能的对战目标
    def get_possible_showdown_targets(
        self, move: Move, pokemon: Pokemon, dynamax: bool = False
    @property
    # 返回当前活跃的精灵列表,至少有一个不为None
    def active_pokemon(self) -> List[Optional[Pokemon]]:
        """
        :return: The active pokemon, always at least one is not None
        :rtype: List[Optional[Pokemon]]
        """
        if self.player_role is None:
            raise ValueError("Unable to get active_pokemon, player_role is None")
        return self._get_active_pokemon(self._active_pokemon, self.player_role)
    @property
    # 返回所有活跃的精灵列表,包括玩家和对手的
    def all_active_pokemons(self) -> List[Optional[Pokemon]]:
        """
        :return: A list containing all active pokemons and/or Nones.
        :rtype: List[Optional[Pokemon]]
        """
        return [*self.active_pokemon, *self.opponent_active_pokemon]
    @property
    # 返回可用的招式列表
    def available_moves(self) -> List[List[Move]]:
        """
        :return: A list of two lists of moves the player can use during the current
            move request for each Pokemon.
        :rtype: List[List[Move]]
        """
        return self._available_moves
    @property
    def available_switches(self) -> List[List[Pokemon]]:
        """
        :return: The list of two lists of switches the player can do during the
            current move request for each active pokemon
        :rtype: List[List[Pokemon]]
        """
        # 返回玩家在当前移动请求期间每个活跃精灵可以执行的两个交换列表
        return self._available_switches
    @property
    def can_mega_evolve(self) -> List[bool]:
        """
        :return: Whether or not either current active pokemon can mega evolve.
        :rtype: List[bool]
        """
        # 返回当前活跃精灵是否可以超级进化的布尔值列表
        return self._can_mega_evolve
    @property
    def can_z_move(self) -> List[bool]:
        """
        :return: Whether or not the current active pokemon can z-move.
        :rtype: List[bool]
        """
        # 返回当前活跃精灵是否可以使用 Z 招式的布尔值列表
        return self._can_z_move
    @property
    def can_dynamax(self) -> List[bool]:
        """
        :return: Whether or not the current active pokemon can dynamax
        :rtype: List[bool]
        """
        # 返回当前活跃精灵是否可以极巨化的布尔值列表
        return self._can_dynamax
    @property
    def can_tera(self) -> List[Union[bool, PokemonType]]:
        """
        :return: Whether or not the current active pokemon can terastallize. If yes, will be a PokemonType.
        :rtype: List[Union[bool, PokemonType]]
        """
        # 返回当前活跃精灵是否可以进行特拉斯化的布尔值列表,如果可以,将是一个 PokemonType
        return self._can_tera
    @property
    def force_switch(self) -> List[bool]:
        """
        :return: A boolean indicating whether the active pokemon is forced
            to switch out.
        :rtype: List[bool]
        """
        # 返回一个布尔值,指示活跃精灵是否被迫交换出场
        return self._force_switch
    @property
    def maybe_trapped(self) -> List[bool]:
        """
        :return: A boolean indicating whether either active pokemon is maybe trapped
            by the opponent.
        :rtype: List[bool]
        """
        # 返回一个布尔值,指示任一活跃精灵是否可能被对手困住
        return self._maybe_trapped
    @property
    def opponent_active_pokemon(self) -> List[Optional[Pokemon]]:
        """
        :return: The opponent active pokemon, always at least one is not None
        :rtype: List[Optional[Pokemon]]
        """
        # 如果对手角色为空,则抛出数值错误异常
        if self.opponent_role is None:
            raise ValueError(
                "Unable to get opponent_active_pokemon, opponent_role is None"
            )
        # 返回对手当前活跃的宝可梦列表
        return self._get_active_pokemon(
            self._opponent_active_pokemon, self.opponent_role
        )
    @property
    def opponent_can_dynamax(self) -> List[bool]:
        """
        :return: Whether or not opponent's current active pokemons can dynamax
        :rtype: List[bool]
        """
        # 返回对手当前活跃的宝可梦是否可以极巨化的列表
        return self._opponent_can_dynamax
    @opponent_can_dynamax.setter
    def opponent_can_dynamax(self, value: Union[bool, List[bool]]):
        # 如果值是布尔类型,则设置对手当前活跃的宝可梦是否可以极巨化的列表为相同的值
        if isinstance(value, bool):
            self._opponent_can_dynamax = [value, value]
        else:
            self._opponent_can_dynamax = value
    @property
    def opponent_can_mega_evolve(self) -> List[bool]:
        """
        :return: Whether or not opponent's current active pokemons can mega evolve
        :rtype: List[bool]
        """
        # 返回对手当前活跃的宝可梦是否可以超级进化的列表
        return self._opponent_can_mega_evolve
    @opponent_can_mega_evolve.setter
    def opponent_can_mega_evolve(self, value: Union[bool, List[bool]]):
        # 如果值是布尔类型,则设置对手当前活跃的宝可梦是否可以超级进化的列表为相同的值
        if isinstance(value, bool):
            self._opponent_can_mega_evolve = [value, value]
        else:
            self._opponent_can_mega_evolve = value
    @property
    def opponent_can_z_move(self) -> List[bool]:
        """
        :return: Whether or not opponent's current active pokemons can z-move
        :rtype: List[bool]
        """
        # 返回对手当前活跃的宝可梦是否可以Z招式的列表
        return self._opponent_can_z_move
    @opponent_can_z_move.setter
    def opponent_can_z_move(self, value: Union[bool, List[bool]]):
        # 如果值是布尔类型,则设置对手当前活跃的宝可梦是否可以Z招式的列表为相同的值
        if isinstance(value, bool):
            self._opponent_can_z_move = [value, value]
        else:
            self._opponent_can_z_move = value
    @property
    # 返回一个布尔列表,指示当前双方是否有精灵被对手困住
    def trapped(self) -> List[bool]:
        """
        :return: A boolean indicating whether either active pokemon is trapped by the
            opponent.
        :rtype: List[bool]
        """
        # 返回私有属性_trapped
        return self._trapped
    # 设置trapped属性的setter方法
    @trapped.setter
    def trapped(self, value: List[bool]):
        # 将传入的值赋给私有属性_trapped
        self._trapped = value

 PokéLLMon 源码解析(二)(2)https://developer.aliyun.com/article/1483621

相关文章
|
1月前
|
监控 Java 应用服务中间件
高级java面试---spring.factories文件的解析源码API机制
【11月更文挑战第20天】Spring Boot是一个用于快速构建基于Spring框架的应用程序的开源框架。它通过自动配置、起步依赖和内嵌服务器等特性,极大地简化了Spring应用的开发和部署过程。本文将深入探讨Spring Boot的背景历史、业务场景、功能点以及底层原理,并通过Java代码手写模拟Spring Boot的启动过程,特别是spring.factories文件的解析源码API机制。
76 2
|
1天前
|
存储 设计模式 算法
【23种设计模式·全精解析 | 行为型模式篇】11种行为型模式的结构概述、案例实现、优缺点、扩展对比、使用场景、源码解析
行为型模式用于描述程序在运行时复杂的流程控制,即描述多个类或对象之间怎样相互协作共同完成单个对象都无法单独完成的任务,它涉及算法与对象间职责的分配。行为型模式分为类行为模式和对象行为模式,前者采用继承机制来在类间分派行为,后者采用组合或聚合在对象间分配行为。由于组合关系或聚合关系比继承关系耦合度低,满足“合成复用原则”,所以对象行为模式比类行为模式具有更大的灵活性。 行为型模式分为: • 模板方法模式 • 策略模式 • 命令模式 • 职责链模式 • 状态模式 • 观察者模式 • 中介者模式 • 迭代器模式 • 访问者模式 • 备忘录模式 • 解释器模式
【23种设计模式·全精解析 | 行为型模式篇】11种行为型模式的结构概述、案例实现、优缺点、扩展对比、使用场景、源码解析
|
1天前
|
设计模式 存储 安全
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
结构型模式描述如何将类或对象按某种布局组成更大的结构。它分为类结构型模式和对象结构型模式,前者采用继承机制来组织接口和类,后者釆用组合或聚合来组合对象。由于组合关系或聚合关系比继承关系耦合度低,满足“合成复用原则”,所以对象结构型模式比类结构型模式具有更大的灵活性。 结构型模式分为以下 7 种: • 代理模式 • 适配器模式 • 装饰者模式 • 桥接模式 • 外观模式 • 组合模式 • 享元模式
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
|
1天前
|
设计模式 存储 安全
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
创建型模式的主要关注点是“怎样创建对象?”,它的主要特点是"将对象的创建与使用分离”。这样可以降低系统的耦合度,使用者不需要关注对象的创建细节。创建型模式分为5种:单例模式、工厂方法模式抽象工厂式、原型模式、建造者模式。
【23种设计模式·全精解析 | 创建型模式篇】5种创建型模式的结构概述、实现、优缺点、扩展、使用场景、源码解析
|
24天前
|
缓存 监控 Java
Java线程池提交任务流程底层源码与源码解析
【11月更文挑战第30天】嘿,各位技术爱好者们,今天咱们来聊聊Java线程池提交任务的底层源码与源码解析。作为一个资深的Java开发者,我相信你一定对线程池并不陌生。线程池作为并发编程中的一大利器,其重要性不言而喻。今天,我将以对话的方式,带你一步步深入线程池的奥秘,从概述到功能点,再到背景和业务点,最后到底层原理和示例,让你对线程池有一个全新的认识。
52 12
|
20天前
|
PyTorch Shell API
Ascend Extension for PyTorch的源码解析
本文介绍了Ascend对PyTorch代码的适配过程,包括源码下载、编译步骤及常见问题,详细解析了torch-npu编译后的文件结构和三种实现昇腾NPU算子调用的方式:通过torch的register方式、定义算子方式和API重定向映射方式。这对于开发者理解和使用Ascend平台上的PyTorch具有重要指导意义。
|
2天前
|
安全 搜索推荐 数据挖掘
陪玩系统源码开发流程解析,成品陪玩系统源码的优点
我们自主开发的多客陪玩系统源码,整合了市面上主流陪玩APP功能,支持二次开发。该系统适用于线上游戏陪玩、语音视频聊天、心理咨询等场景,提供用户注册管理、陪玩者资料库、预约匹配、实时通讯、支付结算、安全隐私保护、客户服务及数据分析等功能,打造综合性社交平台。随着互联网技术发展,陪玩系统正成为游戏爱好者的新宠,改变游戏体验并带来新的商业模式。
|
2月前
|
缓存 Java 程序员
Map - LinkedHashSet&Map源码解析
Map - LinkedHashSet&Map源码解析
78 0
|
2月前
|
算法 Java 容器
Map - HashSet & HashMap 源码解析
Map - HashSet & HashMap 源码解析
64 0
|
2月前
|
存储 Java C++
Collection-PriorityQueue源码解析
Collection-PriorityQueue源码解析
67 0

推荐镜像

更多