mirror of
				https://github.com/MarioSpore/Grinch-AP.git
				synced 2025-10-21 20:21:32 -06:00 
			
		
		
		
	Stardew Valley: 5.x.x - The Allsanity Update (#2764)
Major Content update for Stardew Valley, including the following features - Major performance improvements all across the Stardew Valley apworld, including a significant reduction in the test time - Randomized Farm Type - Bundles rework (Remixed Bundles and Missing Bundle!) - New Settings: * Shipsanity - Shipping individual items * Monstersanity - Slaying monsters * Cooksanity - Cooking individual recipes * Chefsanity - Learning individual recipes * Craftsanity - Crafting individual items - New Goals: * Protector of the Valley - Complete every monster slayer goal * Full Shipment - Ship every item * Craftmaster - Craft every item * Gourmet Chef - Cook every recipe * Legend - Earn 10 000 000g * Mystery of the Stardrops - Find every stardrop (Maguffin Hunt) * Allsanity - Complete every check in your slot - Building Shuffle: Cheaper options - Tool Shuffle: Cheaper options - Money rework - New traps - New isolated checks and items, including the farm cave, the movie theater, etc - Mod Support: SVE [Albrekka] - Mod Support: Distant Lands [Albrekka] - Mod Support: Hat Mouse Lacey [Albrekka] - Mod Support: Boarding House [Albrekka] Co-authored-by: Witchybun <elnendil@gmail.com> Co-authored-by: Witchybun <96719127+Witchybun@users.noreply.github.com> Co-authored-by: Jouramie <jouramie@hotmail.com> Co-authored-by: Alchav <59858495+Alchav@users.noreply.github.com>
This commit is contained in:
		
							
								
								
									
										4
									
								
								worlds/stardew_valley/stardew_rule/__init__.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										4
									
								
								worlds/stardew_valley/stardew_rule/__init__.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,4 @@ | ||||
| from .base import * | ||||
| from .literal import * | ||||
| from .protocol import * | ||||
| from .state import * | ||||
							
								
								
									
										448
									
								
								worlds/stardew_valley/stardew_rule/base.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										448
									
								
								worlds/stardew_valley/stardew_rule/base.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,448 @@ | ||||
| from __future__ import annotations | ||||
|  | ||||
| from abc import ABC, abstractmethod | ||||
| from collections import deque | ||||
| from functools import cached_property | ||||
| from itertools import chain | ||||
| from threading import Lock | ||||
| from typing import Iterable, Dict, List, Union, Sized, Hashable, Callable, Tuple, Set, Optional | ||||
|  | ||||
| from BaseClasses import CollectionState | ||||
| from .literal import true_, false_, LiteralStardewRule | ||||
| from .protocol import StardewRule | ||||
|  | ||||
| MISSING_ITEM = "THIS ITEM IS MISSING" | ||||
|  | ||||
|  | ||||
| class BaseStardewRule(StardewRule, ABC): | ||||
|  | ||||
|     def __or__(self, other) -> StardewRule: | ||||
|         if other is true_ or other is false_ or type(other) is Or: | ||||
|             return other | self | ||||
|  | ||||
|         return Or(self, other) | ||||
|  | ||||
|     def __and__(self, other) -> StardewRule: | ||||
|         if other is true_ or other is false_ or type(other) is And: | ||||
|             return other & self | ||||
|  | ||||
|         return And(self, other) | ||||
|  | ||||
|  | ||||
| class CombinableStardewRule(BaseStardewRule, ABC): | ||||
|  | ||||
|     @property | ||||
|     @abstractmethod | ||||
|     def combination_key(self) -> Hashable: | ||||
|         raise NotImplementedError | ||||
|  | ||||
|     @property | ||||
|     @abstractmethod | ||||
|     def value(self): | ||||
|         raise NotImplementedError | ||||
|  | ||||
|     def is_same_rule(self, other: CombinableStardewRule): | ||||
|         return self.combination_key == other.combination_key | ||||
|  | ||||
|     def add_into(self, rules: Dict[Hashable, CombinableStardewRule], reducer: Callable[[CombinableStardewRule, CombinableStardewRule], CombinableStardewRule]) \ | ||||
|             -> Dict[Hashable, CombinableStardewRule]: | ||||
|         rules = dict(rules) | ||||
|  | ||||
|         if self.combination_key in rules: | ||||
|             rules[self.combination_key] = reducer(self, rules[self.combination_key]) | ||||
|         else: | ||||
|             rules[self.combination_key] = self | ||||
|  | ||||
|         return rules | ||||
|  | ||||
|     def __and__(self, other): | ||||
|         if isinstance(other, CombinableStardewRule) and self.is_same_rule(other): | ||||
|             return And.combine(self, other) | ||||
|         return super().__and__(other) | ||||
|  | ||||
|     def __or__(self, other): | ||||
|         if isinstance(other, CombinableStardewRule) and self.is_same_rule(other): | ||||
|             return Or.combine(self, other) | ||||
|         return super().__or__(other) | ||||
|  | ||||
|  | ||||
| class _SimplificationState: | ||||
|     original_simplifiable_rules: Tuple[StardewRule, ...] | ||||
|  | ||||
|     rules_to_simplify: deque[StardewRule] | ||||
|     simplified_rules: Set[StardewRule] | ||||
|     lock: Lock | ||||
|  | ||||
|     def __init__(self, simplifiable_rules: Tuple[StardewRule, ...], rules_to_simplify: Optional[deque[StardewRule]] = None, | ||||
|                  simplified_rules: Optional[Set[StardewRule]] = None): | ||||
|         if simplified_rules is None: | ||||
|             simplified_rules = set() | ||||
|  | ||||
|         self.original_simplifiable_rules = simplifiable_rules | ||||
|         self.rules_to_simplify = rules_to_simplify | ||||
|         self.simplified_rules = simplified_rules | ||||
|         self.locked = False | ||||
|  | ||||
|     @property | ||||
|     def is_simplified(self): | ||||
|         return self.rules_to_simplify is not None and not self.rules_to_simplify | ||||
|  | ||||
|     def short_circuit(self, complement: LiteralStardewRule): | ||||
|         self.rules_to_simplify = deque() | ||||
|         self.simplified_rules = {complement} | ||||
|  | ||||
|     def try_popleft(self): | ||||
|         try: | ||||
|             self.rules_to_simplify.popleft() | ||||
|         except IndexError: | ||||
|             pass | ||||
|  | ||||
|     def acquire_copy(self): | ||||
|         state = _SimplificationState(self.original_simplifiable_rules, self.rules_to_simplify.copy(), self.simplified_rules.copy()) | ||||
|         state.acquire() | ||||
|         return state | ||||
|  | ||||
|     def merge(self, other: _SimplificationState): | ||||
|         return _SimplificationState(self.original_simplifiable_rules + other.original_simplifiable_rules) | ||||
|  | ||||
|     def add(self, rule: StardewRule): | ||||
|         return _SimplificationState(self.original_simplifiable_rules + (rule,)) | ||||
|  | ||||
|     def acquire(self): | ||||
|         """ | ||||
|         This just set a boolean to True and is absolutely not thread safe. It just works because AP is single-threaded. | ||||
|         """ | ||||
|         if self.locked is True: | ||||
|             return False | ||||
|  | ||||
|         self.locked = True | ||||
|         return True | ||||
|  | ||||
|     def release(self): | ||||
|         assert self.locked | ||||
|         self.locked = False | ||||
|  | ||||
|  | ||||
| class AggregatingStardewRule(BaseStardewRule, ABC): | ||||
|     """ | ||||
|     Logic for both "And" and "Or" rules. | ||||
|     """ | ||||
|     identity: LiteralStardewRule | ||||
|     complement: LiteralStardewRule | ||||
|     symbol: str | ||||
|  | ||||
|     combinable_rules: Dict[Hashable, CombinableStardewRule] | ||||
|     simplification_state: _SimplificationState | ||||
|     _last_short_circuiting_rule: Optional[StardewRule] = None | ||||
|  | ||||
|     def __init__(self, *rules: StardewRule, _combinable_rules=None, _simplification_state=None): | ||||
|         if _combinable_rules is None: | ||||
|             assert rules, f"Can't create an aggregating condition without rules" | ||||
|             rules, _combinable_rules = self.split_rules(rules) | ||||
|             _simplification_state = _SimplificationState(rules) | ||||
|  | ||||
|         self.combinable_rules = _combinable_rules | ||||
|         self.simplification_state = _simplification_state | ||||
|  | ||||
|     @property | ||||
|     def original_rules(self): | ||||
|         return RepeatableChain(self.combinable_rules.values(), self.simplification_state.original_simplifiable_rules) | ||||
|  | ||||
|     @property | ||||
|     def current_rules(self): | ||||
|         if self.simplification_state.rules_to_simplify is None: | ||||
|             return self.original_rules | ||||
|  | ||||
|         return RepeatableChain(self.combinable_rules.values(), self.simplification_state.simplified_rules, self.simplification_state.rules_to_simplify) | ||||
|  | ||||
|     @classmethod | ||||
|     def split_rules(cls, rules: Union[Iterable[StardewRule]]) -> Tuple[Tuple[StardewRule, ...], Dict[Hashable, CombinableStardewRule]]: | ||||
|         other_rules = [] | ||||
|         reduced_rules = {} | ||||
|         for rule in rules: | ||||
|             if isinstance(rule, CombinableStardewRule): | ||||
|                 key = rule.combination_key | ||||
|                 if key not in reduced_rules: | ||||
|                     reduced_rules[key] = rule | ||||
|                     continue | ||||
|  | ||||
|                 reduced_rules[key] = cls.combine(reduced_rules[key], rule) | ||||
|                 continue | ||||
|  | ||||
|             if type(rule) is cls: | ||||
|                 other_rules.extend(rule.simplification_state.original_simplifiable_rules)  # noqa | ||||
|                 reduced_rules = cls.merge(reduced_rules, rule.combinable_rules)  # noqa | ||||
|                 continue | ||||
|  | ||||
|             other_rules.append(rule) | ||||
|  | ||||
|         return tuple(other_rules), reduced_rules | ||||
|  | ||||
|     @classmethod | ||||
|     def merge(cls, left: Dict[Hashable, CombinableStardewRule], right: Dict[Hashable, CombinableStardewRule]) -> Dict[Hashable, CombinableStardewRule]: | ||||
|         reduced_rules = dict(left) | ||||
|         for key, rule in right.items(): | ||||
|             if key not in reduced_rules: | ||||
|                 reduced_rules[key] = rule | ||||
|                 continue | ||||
|  | ||||
|             reduced_rules[key] = cls.combine(reduced_rules[key], rule) | ||||
|  | ||||
|         return reduced_rules | ||||
|  | ||||
|     @staticmethod | ||||
|     @abstractmethod | ||||
|     def combine(left: CombinableStardewRule, right: CombinableStardewRule) -> CombinableStardewRule: | ||||
|         raise NotImplementedError | ||||
|  | ||||
|     def short_circuit_simplification(self): | ||||
|         self.simplification_state.short_circuit(self.complement) | ||||
|         self.combinable_rules = {} | ||||
|         return self.complement, self.complement.value | ||||
|  | ||||
|     def short_circuit_evaluation(self, rule): | ||||
|         self._last_short_circuiting_rule = rule | ||||
|         return self, self.complement.value | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         """ | ||||
|         The global idea here is the same as short-circuiting operators, applied to evaluation and rule simplification. | ||||
|         """ | ||||
|  | ||||
|         # Directly checking last rule that short-circuited, in case state has not changed. | ||||
|         if self._last_short_circuiting_rule: | ||||
|             if self._last_short_circuiting_rule(state) is self.complement.value: | ||||
|                 return self.short_circuit_evaluation(self._last_short_circuiting_rule) | ||||
|             self._last_short_circuiting_rule = None | ||||
|  | ||||
|         # Combinable rules are considered already simplified, so we evaluate them right away to go faster. | ||||
|         for rule in self.combinable_rules.values(): | ||||
|             if rule(state) is self.complement.value: | ||||
|                 return self.short_circuit_evaluation(rule) | ||||
|  | ||||
|         if self.simplification_state.is_simplified: | ||||
|             # The rule is fully simplified, so now we can only evaluate. | ||||
|             for rule in self.simplification_state.simplified_rules: | ||||
|                 if rule(state) is self.complement.value: | ||||
|                     return self.short_circuit_evaluation(rule) | ||||
|             return self, self.identity.value | ||||
|  | ||||
|         return self.evaluate_while_simplifying_stateful(state) | ||||
|  | ||||
|     def evaluate_while_simplifying_stateful(self, state): | ||||
|         local_state = self.simplification_state | ||||
|         try: | ||||
|             # Creating a new copy, so we don't modify the rules while we're already evaluating it. This can happen if a rule is used for an entrance and a | ||||
|             # location. When evaluating a given rule what requires access to a region, the region cache can get an update. If it does, we could enter this rule | ||||
|             # again. Since the simplification is stateful, the set of simplified rules can be modified while it's being iterated on, and cause a crash. | ||||
|             # | ||||
|             # After investigation, for millions of call to this method, copy were acquired 425 times. | ||||
|             # Merging simplification state in parent call was deemed useless. | ||||
|             if not local_state.acquire(): | ||||
|                 local_state = local_state.acquire_copy() | ||||
|                 self.simplification_state = local_state | ||||
|  | ||||
|             # Evaluating what has already been simplified. First it will be faster than simplifying "new" rules, but we also assume that if we reach this point | ||||
|             # and there are already are simplified rule, one of these rules has short-circuited, and might again, so we can leave early. | ||||
|             for rule in local_state.simplified_rules: | ||||
|                 if rule(state) is self.complement.value: | ||||
|                     return self.short_circuit_evaluation(rule) | ||||
|  | ||||
|             # If the queue is None, it means we have not start simplifying. Otherwise, we will continue simplification where we left. | ||||
|             if local_state.rules_to_simplify is None: | ||||
|                 rules_to_simplify = frozenset(local_state.original_simplifiable_rules) | ||||
|                 if self.complement in rules_to_simplify: | ||||
|                     return self.short_circuit_simplification() | ||||
|                 local_state.rules_to_simplify = deque(rules_to_simplify) | ||||
|  | ||||
|             # Start simplification where we left. | ||||
|             while local_state.rules_to_simplify: | ||||
|                 result = self.evaluate_rule_while_simplifying_stateful(local_state, state) | ||||
|                 local_state.try_popleft() | ||||
|                 if result is not None: | ||||
|                     return result | ||||
|  | ||||
|             # The whole rule has been simplified and evaluated without short-circuit. | ||||
|             return self, self.identity.value | ||||
|         finally: | ||||
|             local_state.release() | ||||
|  | ||||
|     def evaluate_rule_while_simplifying_stateful(self, local_state, state): | ||||
|         simplified, value = local_state.rules_to_simplify[0].evaluate_while_simplifying(state) | ||||
|  | ||||
|         # Identity is removed from the resulting simplification since it does not affect the result. | ||||
|         if simplified is self.identity: | ||||
|             return | ||||
|  | ||||
|         # If we find a complement here, we know the rule will always short-circuit, what ever the state. | ||||
|         if simplified is self.complement: | ||||
|             return self.short_circuit_simplification() | ||||
|         # Keep the simplified rule to be reevaluated later. | ||||
|         local_state.simplified_rules.add(simplified) | ||||
|  | ||||
|         # Now we use the value to short-circuit if it is the complement. | ||||
|         if value is self.complement.value: | ||||
|             return self.short_circuit_evaluation(simplified) | ||||
|  | ||||
|     def __str__(self): | ||||
|         return f"({self.symbol.join(str(rule) for rule in self.original_rules)})" | ||||
|  | ||||
|     def __repr__(self): | ||||
|         return f"({self.symbol.join(repr(rule) for rule in self.original_rules)})" | ||||
|  | ||||
|     def __eq__(self, other): | ||||
|         return (isinstance(other, type(self)) and self.combinable_rules == other.combinable_rules and | ||||
|                 self.simplification_state.original_simplifiable_rules == self.simplification_state.original_simplifiable_rules) | ||||
|  | ||||
|     def __hash__(self): | ||||
|         return hash((id(self.combinable_rules), self.simplification_state.original_simplifiable_rules)) | ||||
|  | ||||
|  | ||||
| class Or(AggregatingStardewRule): | ||||
|     identity = false_ | ||||
|     complement = true_ | ||||
|     symbol = " | " | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         return self.evaluate_while_simplifying(state)[1] | ||||
|  | ||||
|     def __or__(self, other): | ||||
|         if other is true_ or other is false_: | ||||
|             return other | self | ||||
|  | ||||
|         if isinstance(other, CombinableStardewRule): | ||||
|             return Or(_combinable_rules=other.add_into(self.combinable_rules, self.combine), _simplification_state=self.simplification_state) | ||||
|  | ||||
|         if type(other) is Or: | ||||
|             return Or(_combinable_rules=self.merge(self.combinable_rules, other.combinable_rules), | ||||
|                       _simplification_state=self.simplification_state.merge(other.simplification_state)) | ||||
|  | ||||
|         return Or(_combinable_rules=self.combinable_rules, _simplification_state=self.simplification_state.add(other)) | ||||
|  | ||||
|     @staticmethod | ||||
|     def combine(left: CombinableStardewRule, right: CombinableStardewRule) -> CombinableStardewRule: | ||||
|         return min(left, right, key=lambda x: x.value) | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return min(rule.get_difficulty() for rule in self.original_rules) | ||||
|  | ||||
|  | ||||
| class And(AggregatingStardewRule): | ||||
|     identity = true_ | ||||
|     complement = false_ | ||||
|     symbol = " & " | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         return self.evaluate_while_simplifying(state)[1] | ||||
|  | ||||
|     def __and__(self, other): | ||||
|         if other is true_ or other is false_: | ||||
|             return other & self | ||||
|  | ||||
|         if isinstance(other, CombinableStardewRule): | ||||
|             return And(_combinable_rules=other.add_into(self.combinable_rules, self.combine), _simplification_state=self.simplification_state) | ||||
|  | ||||
|         if type(other) is And: | ||||
|             return And(_combinable_rules=self.merge(self.combinable_rules, other.combinable_rules), | ||||
|                        _simplification_state=self.simplification_state.merge(other.simplification_state)) | ||||
|  | ||||
|         return And(_combinable_rules=self.combinable_rules, _simplification_state=self.simplification_state.add(other)) | ||||
|  | ||||
|     @staticmethod | ||||
|     def combine(left: CombinableStardewRule, right: CombinableStardewRule) -> CombinableStardewRule: | ||||
|         return max(left, right, key=lambda x: x.value) | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return max(rule.get_difficulty() for rule in self.original_rules) | ||||
|  | ||||
|  | ||||
| class Count(BaseStardewRule): | ||||
|     count: int | ||||
|     rules: List[StardewRule] | ||||
|  | ||||
|     def __init__(self, rules: List[StardewRule], count: int): | ||||
|         self.rules = rules | ||||
|         self.count = count | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         c = 0 | ||||
|         for i in range(self.rules_count): | ||||
|             self.rules[i], value = self.rules[i].evaluate_while_simplifying(state) | ||||
|             if value: | ||||
|                 c += 1 | ||||
|  | ||||
|             if c >= self.count: | ||||
|                 return self, True | ||||
|             if c + self.rules_count - i < self.count: | ||||
|                 break | ||||
|  | ||||
|         return self, False | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         return self.evaluate_while_simplifying(state)[1] | ||||
|  | ||||
|     @cached_property | ||||
|     def rules_count(self): | ||||
|         return len(self.rules) | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         self.rules = sorted(self.rules, key=lambda x: x.get_difficulty()) | ||||
|         # In an optimal situation, all the simplest rules will be true. Since the rules are sorted, we know that the most difficult rule we might have to do | ||||
|         # is the one at the "self.count". | ||||
|         return self.rules[self.count - 1].get_difficulty() | ||||
|  | ||||
|     def __repr__(self): | ||||
|         return f"Received {self.count} {repr(self.rules)}" | ||||
|  | ||||
|  | ||||
| class Has(BaseStardewRule): | ||||
|     item: str | ||||
|     # For sure there is a better way than just passing all the rules everytime | ||||
|     other_rules: Dict[str, StardewRule] | ||||
|  | ||||
|     def __init__(self, item: str, other_rules: Dict[str, StardewRule]): | ||||
|         self.item = item | ||||
|         self.other_rules = other_rules | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         return self.evaluate_while_simplifying(state)[1] | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         return self.other_rules[self.item].evaluate_while_simplifying(state) | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return self.other_rules[self.item].get_difficulty() + 1 | ||||
|  | ||||
|     def __str__(self): | ||||
|         if self.item not in self.other_rules: | ||||
|             return f"Has {self.item} -> {MISSING_ITEM}" | ||||
|         return f"Has {self.item}" | ||||
|  | ||||
|     def __repr__(self): | ||||
|         if self.item not in self.other_rules: | ||||
|             return f"Has {self.item} -> {MISSING_ITEM}" | ||||
|         return f"Has {self.item} -> {repr(self.other_rules[self.item])}" | ||||
|  | ||||
|     def __hash__(self): | ||||
|         return hash(self.item) | ||||
|  | ||||
|  | ||||
| class RepeatableChain(Iterable, Sized): | ||||
|     """ | ||||
|     Essentially a copy of what's in the core, with proper type hinting | ||||
|     """ | ||||
|  | ||||
|     def __init__(self, *iterable: Union[Iterable, Sized]): | ||||
|         self.iterables = iterable | ||||
|  | ||||
|     def __iter__(self): | ||||
|         return chain.from_iterable(self.iterables) | ||||
|  | ||||
|     def __bool__(self): | ||||
|         return any(sub_iterable for sub_iterable in self.iterables) | ||||
|  | ||||
|     def __len__(self): | ||||
|         return sum(len(iterable) for iterable in self.iterables) | ||||
|  | ||||
|     def __contains__(self, item): | ||||
|         return any(item in it for it in self.iterables) | ||||
							
								
								
									
										39
									
								
								worlds/stardew_valley/stardew_rule/indirect_connection.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										39
									
								
								worlds/stardew_valley/stardew_rule/indirect_connection.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,39 @@ | ||||
| from functools import singledispatch | ||||
| from typing import Set | ||||
|  | ||||
| from . import StardewRule, Reach, Count, AggregatingStardewRule, Has | ||||
|  | ||||
|  | ||||
| def look_for_indirect_connection(rule: StardewRule) -> Set[str]: | ||||
|     required_regions = set() | ||||
|     _find(rule, required_regions) | ||||
|     return required_regions | ||||
|  | ||||
|  | ||||
| @singledispatch | ||||
| def _find(rule: StardewRule, regions: Set[str]): | ||||
|     ... | ||||
|  | ||||
|  | ||||
| @_find.register | ||||
| def _(rule: AggregatingStardewRule, regions: Set[str]): | ||||
|     for r in rule.original_rules: | ||||
|         _find(r, regions) | ||||
|  | ||||
|  | ||||
| @_find.register | ||||
| def _(rule: Count, regions: Set[str]): | ||||
|     for r in rule.rules: | ||||
|         _find(r, regions) | ||||
|  | ||||
|  | ||||
| @_find.register | ||||
| def _(rule: Has, regions: Set[str]): | ||||
|     r = rule.other_rules[rule.item] | ||||
|     _find(r, regions) | ||||
|  | ||||
|  | ||||
| @_find.register | ||||
| def _(rule: Reach, regions: Set[str]): | ||||
|     if rule.resolution_hint == "Region": | ||||
|         regions.add(rule.spot) | ||||
							
								
								
									
										62
									
								
								worlds/stardew_valley/stardew_rule/literal.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										62
									
								
								worlds/stardew_valley/stardew_rule/literal.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,62 @@ | ||||
| from abc import ABC | ||||
| from typing import Tuple | ||||
|  | ||||
| from BaseClasses import CollectionState | ||||
| from .protocol import StardewRule | ||||
|  | ||||
|  | ||||
| class LiteralStardewRule(StardewRule, ABC): | ||||
|     value: bool | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         return self, self.value | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         return self.value | ||||
|  | ||||
|     def __repr__(self): | ||||
|         return str(self.value) | ||||
|  | ||||
|  | ||||
| class True_(LiteralStardewRule):  # noqa | ||||
|     value = True | ||||
|  | ||||
|     def __new__(cls, _cache=[]):  # noqa | ||||
|         # Only one single instance will be ever created. | ||||
|         if not _cache: | ||||
|             _cache.append(super(True_, cls).__new__(cls)) | ||||
|         return _cache[0] | ||||
|  | ||||
|     def __or__(self, other) -> StardewRule: | ||||
|         return self | ||||
|  | ||||
|     def __and__(self, other) -> StardewRule: | ||||
|         return other | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return 0 | ||||
|  | ||||
|  | ||||
| class False_(LiteralStardewRule):  # noqa | ||||
|     value = False | ||||
|  | ||||
|     def __new__(cls, _cache=[]):  # noqa | ||||
|         # Only one single instance will be ever created. | ||||
|         if not _cache: | ||||
|             _cache.append(super(False_, cls).__new__(cls)) | ||||
|         return _cache[0] | ||||
|  | ||||
|     def __or__(self, other) -> StardewRule: | ||||
|         return other | ||||
|  | ||||
|     def __and__(self, other) -> StardewRule: | ||||
|         return self | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return 999999999 | ||||
|  | ||||
|  | ||||
| false_ = False_() | ||||
| true_ = True_() | ||||
| assert false_ | ||||
| assert true_ | ||||
							
								
								
									
										30
									
								
								worlds/stardew_valley/stardew_rule/protocol.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										30
									
								
								worlds/stardew_valley/stardew_rule/protocol.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,30 @@ | ||||
| from __future__ import annotations | ||||
|  | ||||
| from abc import abstractmethod | ||||
| from typing import Protocol, Tuple, runtime_checkable | ||||
|  | ||||
| from BaseClasses import CollectionState | ||||
|  | ||||
|  | ||||
| @runtime_checkable | ||||
| class StardewRule(Protocol): | ||||
|  | ||||
|     @abstractmethod | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         ... | ||||
|  | ||||
|     @abstractmethod | ||||
|     def __and__(self, other: StardewRule): | ||||
|         ... | ||||
|  | ||||
|     @abstractmethod | ||||
|     def __or__(self, other: StardewRule): | ||||
|         ... | ||||
|  | ||||
|     @abstractmethod | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         ... | ||||
|  | ||||
|     @abstractmethod | ||||
|     def get_difficulty(self): | ||||
|         ... | ||||
							
								
								
									
										140
									
								
								worlds/stardew_valley/stardew_rule/state.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										140
									
								
								worlds/stardew_valley/stardew_rule/state.py
									
									
									
									
									
										Normal file
									
								
							| @@ -0,0 +1,140 @@ | ||||
| from dataclasses import dataclass | ||||
| from typing import Iterable, Union, List, Tuple, Hashable | ||||
|  | ||||
| from BaseClasses import ItemClassification, CollectionState | ||||
| from .base import BaseStardewRule, CombinableStardewRule | ||||
| from .protocol import StardewRule | ||||
| from ..items import item_table | ||||
|  | ||||
|  | ||||
| class TotalReceived(BaseStardewRule): | ||||
|     count: int | ||||
|     items: Iterable[str] | ||||
|     player: int | ||||
|  | ||||
|     def __init__(self, count: int, items: Union[str, Iterable[str]], player: int): | ||||
|         items_list: List[str] | ||||
|  | ||||
|         if isinstance(items, Iterable): | ||||
|             items_list = [*items] | ||||
|         else: | ||||
|             items_list = [items] | ||||
|  | ||||
|         assert items_list, "Can't create a Total Received conditions without items" | ||||
|         for item in items_list: | ||||
|             assert item_table[item].classification & ItemClassification.progression, \ | ||||
|                 f"Item [{item_table[item].name}] has to be progression to be used in logic" | ||||
|  | ||||
|         self.player = player | ||||
|         self.items = items_list | ||||
|         self.count = count | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         c = 0 | ||||
|         for item in self.items: | ||||
|             c += state.count(item, self.player) | ||||
|             if c >= self.count: | ||||
|                 return True | ||||
|         return False | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         return self, self(state) | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return self.count | ||||
|  | ||||
|     def __repr__(self): | ||||
|         return f"Received {self.count} {self.items}" | ||||
|  | ||||
|  | ||||
| @dataclass(frozen=True) | ||||
| class Received(CombinableStardewRule): | ||||
|     item: str | ||||
|     player: int | ||||
|     count: int | ||||
|  | ||||
|     def __post_init__(self): | ||||
|         assert item_table[self.item].classification & ItemClassification.progression, \ | ||||
|             f"Item [{item_table[self.item].name}] has to be progression to be used in logic" | ||||
|  | ||||
|     @property | ||||
|     def combination_key(self) -> Hashable: | ||||
|         return self.item | ||||
|  | ||||
|     @property | ||||
|     def value(self): | ||||
|         return self.count | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         return state.has(self.item, self.player, self.count) | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         return self, self(state) | ||||
|  | ||||
|     def __repr__(self): | ||||
|         if self.count == 1: | ||||
|             return f"Received {self.item}" | ||||
|         return f"Received {self.count} {self.item}" | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return self.count | ||||
|  | ||||
|  | ||||
| @dataclass(frozen=True) | ||||
| class Reach(BaseStardewRule): | ||||
|     spot: str | ||||
|     resolution_hint: str | ||||
|     player: int | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         if self.resolution_hint == 'Region' and self.spot not in state.multiworld.regions.region_cache[self.player]: | ||||
|             return False | ||||
|         return state.can_reach(self.spot, self.resolution_hint, self.player) | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         return self, self(state) | ||||
|  | ||||
|     def __repr__(self): | ||||
|         return f"Reach {self.resolution_hint} {self.spot}" | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return 1 | ||||
|  | ||||
|  | ||||
| @dataclass(frozen=True) | ||||
| class HasProgressionPercent(CombinableStardewRule): | ||||
|     player: int | ||||
|     percent: int | ||||
|  | ||||
|     def __post_init__(self): | ||||
|         assert self.percent > 0, "HasProgressionPercent rule must be above 0%" | ||||
|         assert self.percent <= 100, "HasProgressionPercent rule can't require more than 100% of items" | ||||
|  | ||||
|     @property | ||||
|     def combination_key(self) -> Hashable: | ||||
|         return HasProgressionPercent.__name__ | ||||
|  | ||||
|     @property | ||||
|     def value(self): | ||||
|         return self.percent | ||||
|  | ||||
|     def __call__(self, state: CollectionState) -> bool: | ||||
|         stardew_world = state.multiworld.worlds[self.player] | ||||
|         total_count = stardew_world.total_progression_items | ||||
|         needed_count = (total_count * self.percent) // 100 | ||||
|         total_count = 0 | ||||
|         for item in state.prog_items[self.player]: | ||||
|             item_count = state.prog_items[self.player][item] | ||||
|             total_count += item_count | ||||
|             if total_count >= needed_count: | ||||
|                 return True | ||||
|         return False | ||||
|  | ||||
|     def evaluate_while_simplifying(self, state: CollectionState) -> Tuple[StardewRule, bool]: | ||||
|         return self, self(state) | ||||
|  | ||||
|     def __repr__(self): | ||||
|         return f"HasProgressionPercent {self.percent}" | ||||
|  | ||||
|     def get_difficulty(self): | ||||
|         return self.percent | ||||
		Reference in New Issue
	
	Block a user
	 agilbert1412
					agilbert1412