# Released under the MIT License. See LICENSE for details.#"""Team related functionality."""from__future__importannotationsimportweakrefimportloggingfromtypingimportTYPE_CHECKING,TypeVar,GenericimportbabaseifTYPE_CHECKING:fromtypingimportSequenceimportbascenev1
[docs]classSessionTeam:"""A team of one or more :class:`~bascenev1.SessionPlayer`. Note that a player will *always* have a team. in some cases, such as free-for-all :class:`~bascenev1.Sessions`, each team consists of just one player. """# We annotate our attr types at the class level so they're more# introspectable by docs tools/etc.#: The team's name.name:babase.Lstr|str#: The team's color.color:tuple[float,...]# FIXME: can't we make this fixed len?#: The list of players on the team.players:list[bascenev1.SessionPlayer]#: A dict for use by the current :class:`~bascenev1.Session` for#: storing data associated with this team. Unlike customdata, this#: persists for the duration of the session.customdata:dict#: The unique numeric id of the team.id:intdef__init__(self,team_id:int=0,name:babase.Lstr|str='',color:Sequence[float]=(1.0,1.0,1.0),):self.id=team_idself.name=nameself.color=tuple(color)self.players=[]self.customdata={}self.activityteam:Team|None=Nonedefleave(self)->None:"""(internal) :meta private: """self.customdata={}
[docs]classTeam(Generic[PlayerT]):"""A team in a specific :class:`~bascenev1.Activity`. These correspond to :class:`~bascenev1.SessionTeam` objects, but are created per activity so that the activity can use its own custom team subclass. """# Defining these types at the class level instead of in __init__ so# that types are introspectable (these are still instance attrs).players:list[PlayerT]id:intname:babase.Lstr|strcolor:tuple[float,...]# FIXME: can't we make this fixed length?_sessionteam:weakref.ref[SessionTeam]_expired:bool_postinited:bool_customdata:dict# NOTE: avoiding having any __init__() here since it seems to not# get called by default if a dataclass inherits from us.defpostinit(self,sessionteam:SessionTeam)->None:"""Internal: Wire up a newly created SessionTeam. :meta private: """# Sanity check; if a dataclass is created that inherits from us,# it will define an equality operator by default which will break# internal game logic. So complain loudly if we find one.iftype(self).__eq__isnotobject.__eq__:raiseRuntimeError(f'Team class {type(self)} defines an equality'f' operator (__eq__) which will break internal'f' logic. Please remove it.\n'f'For dataclasses you can do "dataclass(eq=False)"'f' in the class decorator.')self.players=[]self._sessionteam=weakref.ref(sessionteam)self.id=sessionteam.idself.name=sessionteam.nameself.color=sessionteam.colorself._customdata={}self._expired=Falseself._postinited=True
[docs]defmanual_init(self,team_id:int,name:babase.Lstr|str,color:tuple[float,...])->None:"""Manually init a team for uses such as bots."""self.id=team_idself.name=nameself.color=colorself._customdata={}self._expired=Falseself._postinited=True
@propertydefcustomdata(self)->dict:"""Arbitrary values associated with the team. Though it is encouraged that most player values be properly defined on the :class:`~bascenev1.Team` subclass, it may be useful for player-agnostic objects to store values here. This dict is cleared when the team leaves or expires so objects stored here will be disposed of at the expected time, unlike the :class:`~bascenev1.Team` instance itself which may continue to be referenced after it is no longer part of the game. """assertself._postinitedassertnotself._expiredreturnself._customdatadefleave(self)->None:"""Internal: Called when the team leaves a running game. :meta private: """assertself._postinitedassertnotself._expireddelself._customdatadelself.playersdefexpire(self)->None:"""Internal: Called when team is expiring (due to its activity). :meta private: """assertself._postinitedassertnotself._expiredself._expired=Truetry:self.on_expire()exceptException:logging.exception('Error in on_expire for %s.',self)delself._customdatadelself.players
[docs]defon_expire(self)->None:"""Can be overridden to handle team expiration."""
@propertydefsessionteam(self)->SessionTeam:"""The :class:`~bascenev1.SessionTeam` corresponding to this team. Throws a :class:`~babase.SessionTeamNotFoundError` if there is none. """assertself._postinitedifself._sessionteamisnotNone:sessionteam=self._sessionteam()ifsessionteamisnotNone:returnsessionteamraisebabase.SessionTeamNotFoundError()
[docs]classEmptyTeam(Team['bascenev1.EmptyPlayer']):"""An empty player for use by Activities that don't define one. bascenev1.Player and bascenev1.Team are 'Generic' types, and so passing those top level classes as type arguments when defining a bascenev1.Activity reduces type safety. For example, activity.teams[0].player will have type 'Any' in that case. For that reason, it is better to pass EmptyPlayer and EmptyTeam when defining a bascenev1.Activity that does not need custom types of its own. Note that EmptyPlayer defines its team type as EmptyTeam and vice versa, so if you want to define your own class for one of them you should do so for both. """
# Docs-generation hack; import some stuff that we likely only forward-declared# in our actual source code so that docs tools can find it.fromtypingimport(Coroutine,Any,Literal,Callable,Generator,Awaitable,Sequence,Self)importasynciofromconcurrent.futuresimportFuture