diff --git a/worlds/stardew_valley/__init__.py b/worlds/stardew_valley/__init__.py index aa825af302eb..b79703021bcc 100644 --- a/worlds/stardew_valley/__init__.py +++ b/worlds/stardew_valley/__init__.py @@ -1,21 +1,28 @@ import logging -from typing import Dict, Any, Iterable, Optional, Union, Set, List +from typing import Dict, Any, Iterable, Optional, Union, List, TextIO -from BaseClasses import Region, Entrance, Location, Item, Tutorial, CollectionState, ItemClassification, MultiWorld, Group as ItemLinkGroup +from BaseClasses import Region, Entrance, Location, Item, Tutorial, ItemClassification, MultiWorld from Options import PerGameCommonOptions from worlds.AutoWorld import World, WebWorld from . import rules -from .bundles import get_all_bundles, Bundle +from .bundles.bundle_room import BundleRoom +from .bundles.bundles import get_all_bundles +from .early_items import setup_early_items from .items import item_table, create_items, ItemData, Group, items_by_group, get_all_filler_items, remove_limited_amount_packs -from .locations import location_table, create_locations, LocationData -from .logic import StardewLogic, StardewRule, True_, MAX_MONTHS +from .locations import location_table, create_locations, LocationData, locations_by_tag +from .logic.bundle_logic import BundleLogic +from .logic.logic import StardewLogic +from .logic.time_logic import MAX_MONTHS from .options import StardewValleyOptions, SeasonRandomization, Goal, BundleRandomization, BundlePrice, NumberOfLuckBuffs, NumberOfMovementBuffs, \ - BackpackProgression, BuildingProgression, ExcludeGingerIsland, TrapItems + BackpackProgression, BuildingProgression, ExcludeGingerIsland, TrapItems, EntranceRandomization from .presets import sv_options_presets from .regions import create_regions from .rules import set_rules -from worlds.generic.Rules import set_rule +from .stardew_rule import True_, StardewRule, HasProgressionPercent +from .strings.ap_names.event_names import Event from .strings.goal_names import Goal as GoalName +from .strings.region_names import Region as RegionName +from .strings.entrance_names import Entrance as EntranceName client_version = 0 @@ -59,6 +66,15 @@ class StardewValleyWorld(World): item_name_to_id = {name: data.code for name, data in item_table.items()} location_name_to_id = {name: data.code for name, data in location_table.items()} + item_name_groups = { + group.name.replace("_", " ").title() + (" Group" if group.name.replace("_", " ").title() in item_table else ""): + [item.name for item in items] for group, items in items_by_group.items() + } + location_name_groups = { + group.name.replace("_", " ").title() + (" Group" if group.name.replace("_", " ").title() in locations_by_tag else ""): + [location.name for location in locations] for group, locations in locations_by_tag.items() + } + data_version = 3 required_client_version = (0, 4, 0) @@ -67,14 +83,14 @@ class StardewValleyWorld(World): logic: StardewLogic web = StardewWebWorld() - modified_bundles: Dict[str, Bundle] + modified_bundles: List[BundleRoom] randomized_entrances: Dict[str, str] - all_progression_items: Set[str] + total_progression_items: int def __init__(self, world: MultiWorld, player: int): super().__init__(world, player) - self.all_progression_items = set() self.filler_item_pool_names = [] + self.total_progression_items = 0 def generate_early(self): self.force_change_options_if_incompatible() @@ -82,8 +98,7 @@ def generate_early(self): self.logic = StardewLogic(self.player, self.options) self.modified_bundles = get_all_bundles(self.multiworld.random, self.logic, - self.options.bundle_randomization, - self.options.bundle_price) + self.options) def force_change_options_if_incompatible(self): goal_is_walnut_hunter = self.options.goal == Goal.option_greatest_walnut_hunter @@ -94,7 +109,8 @@ def force_change_options_if_incompatible(self): self.options.exclude_ginger_island.value = ExcludeGingerIsland.option_false goal_name = self.options.goal.current_key player_name = self.multiworld.player_name[self.player] - logging.warning(f"Goal '{goal_name}' requires Ginger Island. Exclude Ginger Island setting forced to 'False' for player {self.player} ({player_name})") + logging.warning( + f"Goal '{goal_name}' requires Ginger Island. Exclude Ginger Island setting forced to 'False' for player {self.player} ({player_name})") def create_regions(self): def create_region(name: str, exits: Iterable[str]) -> Region: @@ -102,17 +118,27 @@ def create_region(name: str, exits: Iterable[str]) -> Region: region.exits = [Entrance(self.player, exit_name, region) for exit_name in exits] return region - world_regions, self.randomized_entrances = create_regions(create_region, self.multiworld.random, self.options) + world_regions, world_entrances, self.randomized_entrances = create_regions(create_region, self.multiworld.random, self.options) def add_location(name: str, code: Optional[int], region: str): region = world_regions[region] location = StardewLocation(self.player, name, code, region) - location.access_rule = lambda _: True region.locations.append(location) - create_locations(add_location, self.options, self.multiworld.random) + create_locations(add_location, self.modified_bundles, self.options, self.multiworld.random) self.multiworld.regions.extend(world_regions.values()) + self.register_indirect_connections(world_regions, world_entrances) + + def register_indirect_connections(self, world_regions, world_entrances): + if self.options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return + walnut_room = world_regions[RegionName.qi_walnut_room] + self.multiworld.register_indirect_condition(walnut_room, world_entrances[EntranceName.dig_to_dangerous_mines_20]) + self.multiworld.register_indirect_condition(walnut_room, world_entrances[EntranceName.dig_to_dangerous_mines_60]) + self.multiworld.register_indirect_condition(walnut_room, world_entrances[EntranceName.dig_to_dangerous_mines_100]) + self.multiworld.register_indirect_condition(walnut_room, world_entrances[EntranceName.enter_dangerous_skull_cavern]) + def create_items(self): self.precollect_starting_season() items_to_exclude = [excluded_items @@ -133,11 +159,11 @@ def create_items(self): self.multiworld.itempool += created_items - self.setup_early_items() - self.setup_month_events() + setup_early_items(self.multiworld, self.options, self.player, self.multiworld.random) + self.setup_player_events() self.setup_victory() - def precollect_starting_season(self) -> Optional[StardewItem]: + def precollect_starting_season(self): if self.options.season_randomization == SeasonRandomization.option_progressive: return @@ -145,7 +171,7 @@ def precollect_starting_season(self) -> Optional[StardewItem]: if self.options.season_randomization == SeasonRandomization.option_disabled: for season in season_pool: - self.multiworld.push_precollected(self.create_item(season)) + self.multiworld.push_precollected(self.create_starting_item(season)) return if [item for item in self.multiworld.precollected_items[self.player] @@ -155,75 +181,119 @@ def precollect_starting_season(self) -> Optional[StardewItem]: if self.options.season_randomization == SeasonRandomization.option_randomized_not_winter: season_pool = [season for season in season_pool if season.name != "Winter"] - starting_season = self.create_item(self.multiworld.random.choice(season_pool)) + starting_season = self.create_starting_item(self.multiworld.random.choice(season_pool)) self.multiworld.push_precollected(starting_season) - def setup_early_items(self): - if (self.options.building_progression == - BuildingProgression.option_progressive_early_shipping_bin): - self.multiworld.early_items[self.player]["Shipping Bin"] = 1 + def setup_player_events(self): + self.setup_construction_events() + self.setup_quest_events() + self.setup_action_events() - if self.options.backpack_progression == BackpackProgression.option_early_progressive: - self.multiworld.early_items[self.player]["Progressive Backpack"] = 1 + def setup_construction_events(self): + can_construct_buildings = LocationData(None, RegionName.carpenter, Event.can_construct_buildings) + self.create_event_location(can_construct_buildings, True_(), Event.can_construct_buildings) - def setup_month_events(self): - for i in range(0, MAX_MONTHS): - month_end = LocationData(None, "Stardew Valley", f"Month End {i + 1}") - if i == 0: - self.create_event_location(month_end, True_(), "Month End") - continue + def setup_quest_events(self): + start_dark_talisman_quest = LocationData(None, RegionName.railroad, Event.start_dark_talisman_quest) + self.create_event_location(start_dark_talisman_quest, self.logic.wallet.has_rusty_key(), Event.start_dark_talisman_quest) - self.create_event_location(month_end, self.logic.received("Month End", i).simplify(), "Month End") + def setup_action_events(self): + can_ship_event = LocationData(None, RegionName.shipping, Event.can_ship_items) + self.create_event_location(can_ship_event, True_(), Event.can_ship_items) + can_shop_pierre_event = LocationData(None, RegionName.pierre_store, Event.can_shop_at_pierre) + self.create_event_location(can_shop_pierre_event, True_(), Event.can_shop_at_pierre) def setup_victory(self): if self.options.goal == Goal.option_community_center: self.create_event_location(location_table[GoalName.community_center], - self.logic.can_complete_community_center().simplify(), - "Victory") + self.logic.bundle.can_complete_community_center, + Event.victory) elif self.options.goal == Goal.option_grandpa_evaluation: self.create_event_location(location_table[GoalName.grandpa_evaluation], - self.logic.can_finish_grandpa_evaluation().simplify(), - "Victory") + self.logic.can_finish_grandpa_evaluation(), + Event.victory) elif self.options.goal == Goal.option_bottom_of_the_mines: self.create_event_location(location_table[GoalName.bottom_of_the_mines], - self.logic.can_mine_to_floor(120).simplify(), - "Victory") + True_(), + Event.victory) elif self.options.goal == Goal.option_cryptic_note: self.create_event_location(location_table[GoalName.cryptic_note], - self.logic.can_complete_quest("Cryptic Note").simplify(), - "Victory") + self.logic.quest.can_complete_quest("Cryptic Note"), + Event.victory) elif self.options.goal == Goal.option_master_angler: self.create_event_location(location_table[GoalName.master_angler], - self.logic.can_catch_every_fish().simplify(), - "Victory") + self.logic.fishing.can_catch_every_fish_in_slot(self.get_all_location_names()), + Event.victory) elif self.options.goal == Goal.option_complete_collection: self.create_event_location(location_table[GoalName.complete_museum], - self.logic.can_complete_museum().simplify(), - "Victory") + self.logic.museum.can_complete_museum(), + Event.victory) elif self.options.goal == Goal.option_full_house: self.create_event_location(location_table[GoalName.full_house], - (self.logic.has_children(2) & self.logic.can_reproduce()).simplify(), - "Victory") + (self.logic.relationship.has_children(2) & self.logic.relationship.can_reproduce()), + Event.victory) elif self.options.goal == Goal.option_greatest_walnut_hunter: self.create_event_location(location_table[GoalName.greatest_walnut_hunter], - self.logic.has_walnut(130).simplify(), - "Victory") + self.logic.has_walnut(130), + Event.victory) + elif self.options.goal == Goal.option_protector_of_the_valley: + self.create_event_location(location_table[GoalName.protector_of_the_valley], + self.logic.monster.can_complete_all_monster_slaying_goals(), + Event.victory) + elif self.options.goal == Goal.option_full_shipment: + self.create_event_location(location_table[GoalName.full_shipment], + self.logic.shipping.can_ship_everything_in_slot(self.get_all_location_names()), + Event.victory) + elif self.options.goal == Goal.option_gourmet_chef: + self.create_event_location(location_table[GoalName.gourmet_chef], + self.logic.cooking.can_cook_everything, + Event.victory) + elif self.options.goal == Goal.option_craft_master: + self.create_event_location(location_table[GoalName.craft_master], + self.logic.crafting.can_craft_everything, + Event.victory) + elif self.options.goal == Goal.option_legend: + self.create_event_location(location_table[GoalName.legend], + self.logic.money.can_have_earned_total(10_000_000), + Event.victory) + elif self.options.goal == Goal.option_mystery_of_the_stardrops: + self.create_event_location(location_table[GoalName.mystery_of_the_stardrops], + self.logic.has_all_stardrops(), + Event.victory) + elif self.options.goal == Goal.option_allsanity: + self.create_event_location(location_table[GoalName.allsanity], + HasProgressionPercent(self.player, 100), + Event.victory) elif self.options.goal == Goal.option_perfection: self.create_event_location(location_table[GoalName.perfection], - self.logic.has_everything(self.all_progression_items).simplify(), - "Victory") + HasProgressionPercent(self.player, 100), + Event.victory) + + self.multiworld.completion_condition[self.player] = lambda state: state.has(Event.victory, self.player) + + def get_all_location_names(self) -> List[str]: + return list(location.name for location in self.multiworld.get_locations(self.player)) - self.multiworld.completion_condition[self.player] = lambda state: state.has("Victory", self.player) + def create_item(self, item: Union[str, ItemData], override_classification: ItemClassification = None) -> StardewItem: + if isinstance(item, str): + item = item_table[item] + + if override_classification is None: + override_classification = item.classification - def create_item(self, item: Union[str, ItemData]) -> StardewItem: + if override_classification == ItemClassification.progression and item.name != Event.victory: + self.total_progression_items += 1 + return StardewItem(item.name, override_classification, item.code, self.player) + + def create_starting_item(self, item: Union[str, ItemData]) -> StardewItem: if isinstance(item, str): item = item_table[item] - if item.classification == ItemClassification.progression: - self.all_progression_items.add(item.name) return StardewItem(item.name, item.classification, item.code, self.player) - def create_event_location(self, location_data: LocationData, rule: StardewRule, item: Optional[str] = None): + def create_event_location(self, location_data: LocationData, rule: StardewRule = None, item: Optional[str] = None): + if rule is None: + rule = True_() if item is None: item = location_data.name @@ -235,37 +305,6 @@ def create_event_location(self, location_data: LocationData, rule: StardewRule, def set_rules(self): set_rules(self) - self.force_first_month_once_all_early_items_are_found() - - def force_first_month_once_all_early_items_are_found(self): - """ - The Fill algorithm sweeps all event when calculating the early location. This causes an issue where - location only locked behind event are considered early, which they are not really... - - This patches the issue, by adding a dependency to the first month end on all early items, so all the locations - that depends on it will not be considered early. This requires at least one early item to be progression, or - it just won't work... - """ - - early_items = [] - for player, item_count in self.multiworld.early_items.items(): - for item, count in item_count.items(): - if self.multiworld.worlds[player].create_item(item).advancement: - early_items.append((player, item, count)) - - for item, count in self.multiworld.local_early_items[self.player].items(): - if self.create_item(item).advancement: - early_items.append((self.player, item, count)) - - def first_month_require_all_early_items(state: CollectionState) -> bool: - for player, item, count in early_items: - if not state.has(item, player, count): - return False - - return True - - first_month_end = self.multiworld.get_location("Month End 1", self.player) - set_rule(first_month_end, first_month_require_all_early_items) def generate_basic(self): pass @@ -283,13 +322,12 @@ def generate_filler_item_pool_names(self): def get_filler_item_rules(self): if self.player in self.multiworld.groups: - link_group: ItemLinkGroup = self.multiworld.groups[self.player] + link_group = self.multiworld.groups[self.player] include_traps = True exclude_island = False for player in link_group["players"]: player_options = self.multiworld.worlds[player].options if self.multiworld.game[player] != self.game: - continue if player_options.trap_items == TrapItems.option_no_traps: include_traps = False @@ -299,14 +337,47 @@ def get_filler_item_rules(self): else: return self.options.trap_items != TrapItems.option_no_traps, self.options.exclude_ginger_island == ExcludeGingerIsland.option_true - def fill_slot_data(self) -> Dict[str, Any]: + def write_spoiler_header(self, spoiler_handle: TextIO) -> None: + """Write to the spoiler header. If individual it's right at the end of that player's options, + if as stage it's right under the common header before per-player options.""" + self.add_entrances_to_spoiler_log() - modified_bundles = {} - for bundle_key in self.modified_bundles: - key, value = self.modified_bundles[bundle_key].to_pair() - modified_bundles[key] = value + def write_spoiler(self, spoiler_handle: TextIO) -> None: + """Write to the spoiler "middle", this is after the per-player options and before locations, + meant for useful or interesting info.""" + self.add_bundles_to_spoiler_log(spoiler_handle) - excluded_options = [BundleRandomization, BundlePrice, NumberOfMovementBuffs, NumberOfLuckBuffs] + def add_bundles_to_spoiler_log(self, spoiler_handle: TextIO): + if self.options.bundle_randomization == BundleRandomization.option_vanilla: + return + player_name = self.multiworld.get_player_name(self.player) + spoiler_handle.write(f"\n\nCommunity Center ({player_name}):\n") + for room in self.modified_bundles: + for bundle in room.bundles: + spoiler_handle.write(f"\t[{room.name}] {bundle.name} ({bundle.number_required} required):\n") + for i, item in enumerate(bundle.items): + if "Basic" in item.quality: + quality = "" + else: + quality = f" ({item.quality.split(' ')[0]})" + spoiler_handle.write(f"\t\t{item.amount}x {item.item_name}{quality}\n") + + def add_entrances_to_spoiler_log(self): + if self.options.entrance_randomization == EntranceRandomization.option_disabled: + return + for original_entrance, replaced_entrance in self.randomized_entrances.items(): + self.multiworld.spoiler.set_entrance(original_entrance, replaced_entrance, "entrance", self.player) + + def fill_slot_data(self) -> Dict[str, Any]: + bundles = dict() + for room in self.modified_bundles: + bundles[room.name] = dict() + for bundle in room.bundles: + bundles[room.name][bundle.name] = {"number_required": bundle.number_required} + for i, item in enumerate(bundle.items): + bundles[room.name][bundle.name][i] = f"{item.item_name}|{item.amount}|{item.quality}" + + excluded_options = [BundleRandomization, NumberOfMovementBuffs, NumberOfLuckBuffs] excluded_option_names = [option.internal_name for option in excluded_options] generic_option_names = [option_name for option_name in PerGameCommonOptions.type_hints] excluded_option_names.extend(generic_option_names) @@ -315,8 +386,8 @@ def fill_slot_data(self) -> Dict[str, Any]: slot_data.update({ "seed": self.multiworld.per_slot_randoms[self.player].randrange(1000000000), # Seed should be max 9 digits "randomized_entrances": self.randomized_entrances, - "modified_bundles": modified_bundles, - "client_version": "4.0.0", + "modified_bundles": bundles, + "client_version": "5.0.0", }) return slot_data diff --git a/worlds/stardew_valley/bundles.py b/worlds/stardew_valley/bundles.py deleted file mode 100644 index 4af21542a4ec..000000000000 --- a/worlds/stardew_valley/bundles.py +++ /dev/null @@ -1,254 +0,0 @@ -from random import Random -from typing import List, Dict, Union - -from .data.bundle_data import * -from .logic import StardewLogic -from .options import BundleRandomization, BundlePrice - -vanilla_bundles = { - "Pantry/0": "Spring Crops/O 465 20/24 1 0 188 1 0 190 1 0 192 1 0/0", - "Pantry/1": "Summer Crops/O 621 1/256 1 0 260 1 0 258 1 0 254 1 0/3", - "Pantry/2": "Fall Crops/BO 10 1/270 1 0 272 1 0 276 1 0 280 1 0/2", - "Pantry/3": "Quality Crops/BO 15 1/24 5 2 254 5 2 276 5 2 270 5 2/6/3", - "Pantry/4": "Animal/BO 16 1/186 1 0 182 1 0 174 1 0 438 1 0 440 1 0 442 1 0/4/5", - # 639 1 0 640 1 0 641 1 0 642 1 0 643 1 0 - "Pantry/5": "Artisan/BO 12 1/432 1 0 428 1 0 426 1 0 424 1 0 340 1 0 344 1 0 613 1 0 634 1 0 635 1 0 636 1 0 637 1 0 638 1 0/1/6", - "Crafts Room/13": "Spring Foraging/O 495 30/16 1 0 18 1 0 20 1 0 22 1 0/0", - "Crafts Room/14": "Summer Foraging/O 496 30/396 1 0 398 1 0 402 1 0/3", - "Crafts Room/15": "Fall Foraging/O 497 30/404 1 0 406 1 0 408 1 0 410 1 0/2", - "Crafts Room/16": "Winter Foraging/O 498 30/412 1 0 414 1 0 416 1 0 418 1 0/6", - "Crafts Room/17": "Construction/BO 114 1/388 99 0 388 99 0 390 99 0 709 10 0/4", - "Crafts Room/19": "Exotic Foraging/O 235 5/88 1 0 90 1 0 78 1 0 420 1 0 422 1 0 724 1 0 725 1 0 726 1 0 257 1 0/1/5", - "Fish Tank/6": "River Fish/O 685 30/145 1 0 143 1 0 706 1 0 699 1 0/6", - "Fish Tank/7": "Lake Fish/O 687 1/136 1 0 142 1 0 700 1 0 698 1 0/0", - "Fish Tank/8": "Ocean Fish/O 690 5/131 1 0 130 1 0 150 1 0 701 1 0/5", - "Fish Tank/9": "Night Fishing/R 516 1/140 1 0 132 1 0 148 1 0/1", - "Fish Tank/10": "Specialty Fish/O 242 5/128 1 0 156 1 0 164 1 0 734 1 0/4", - "Fish Tank/11": "Crab Pot/O 710 3/715 1 0 716 1 0 717 1 0 718 1 0 719 1 0 720 1 0 721 1 0 722 1 0 723 1 0 372 1 0/1/5", - "Boiler Room/20": "Blacksmith's/BO 13 1/334 1 0 335 1 0 336 1 0/2", - "Boiler Room/21": "Geologist's/O 749 5/80 1 0 86 1 0 84 1 0 82 1 0/1", - "Boiler Room/22": "Adventurer's/R 518 1/766 99 0 767 10 0 768 1 0 769 1 0/1/2", - "Vault/23": "2,500g/O 220 3/-1 2500 2500/4", - "Vault/24": "5,000g/O 369 30/-1 5000 5000/2", - "Vault/25": "10,000g/BO 9 1/-1 10000 10000/3", - "Vault/26": "25,000g/BO 21 1/-1 25000 25000/1", - "Bulletin Board/31": "Chef's/O 221 3/724 1 0 259 1 0 430 1 0 376 1 0 228 1 0 194 1 0/4", - "Bulletin Board/32": "Field Research/BO 20 1/422 1 0 392 1 0 702 1 0 536 1 0/5", - "Bulletin Board/33": "Enchanter's/O 336 5/725 1 0 348 1 0 446 1 0 637 1 0/1", - "Bulletin Board/34": "Dye/BO 25 1/420 1 0 397 1 0 421 1 0 444 1 0 62 1 0 266 1 0/6", - "Bulletin Board/35": "Fodder/BO 104 1/262 10 0 178 10 0 613 3 0/3", - # "Abandoned Joja Mart/36": "The Missing//348 1 1 807 1 0 74 1 0 454 5 2 795 1 2 445 1 0/1/5" -} - - -class Bundle: - room: str - sprite: str - original_name: str - name: str - rewards: List[str] - requirements: List[BundleItem] - color: str - number_required: int - - def __init__(self, key: str, value: str): - key_parts = key.split("/") - self.room = key_parts[0] - self.sprite = key_parts[1] - - value_parts = value.split("/") - self.original_name = value_parts[0] - self.name = value_parts[0] - self.rewards = self.parse_stardew_objects(value_parts[1]) - self.requirements = self.parse_stardew_bundle_items(value_parts[2]) - self.color = value_parts[3] - if len(value_parts) > 4: - self.number_required = int(value_parts[4]) - else: - self.number_required = len(self.requirements) - - def __repr__(self): - return f"{self.original_name} -> {repr(self.requirements)}" - - def get_name_with_bundle(self) -> str: - return f"{self.original_name} Bundle" - - def to_pair(self) -> (str, str): - key = f"{self.room}/{self.sprite}" - str_rewards = "" - for reward in self.rewards: - str_rewards += f" {reward}" - str_rewards = str_rewards.strip() - str_requirements = "" - for requirement in self.requirements: - str_requirements += f" {requirement.item.item_id} {requirement.amount} {requirement.quality}" - str_requirements = str_requirements.strip() - value = f"{self.name}/{str_rewards}/{str_requirements}/{self.color}/{self.number_required}" - return key, value - - def remove_rewards(self): - self.rewards = [] - - def change_number_required(self, difference: int): - self.number_required = min(len(self.requirements), max(1, self.number_required + difference)) - if len(self.requirements) == 1 and self.requirements[0].item.item_id == -1: - one_fifth = self.requirements[0].amount / 5 - new_amount = int(self.requirements[0].amount + (difference * one_fifth)) - self.requirements[0] = BundleItem.money_bundle(new_amount) - thousand_amount = int(new_amount / 1000) - dollar_amount = str(new_amount % 1000) - while len(dollar_amount) < 3: - dollar_amount = f"0{dollar_amount}" - self.name = f"{thousand_amount},{dollar_amount}g" - - def randomize_requirements(self, random: Random, - potential_requirements: Union[List[BundleItem], List[List[BundleItem]]]): - if not potential_requirements: - return - - number_to_generate = len(self.requirements) - self.requirements.clear() - if number_to_generate > len(potential_requirements): - choices: Union[BundleItem, List[BundleItem]] = random.choices(potential_requirements, k=number_to_generate) - else: - choices: Union[BundleItem, List[BundleItem]] = random.sample(potential_requirements, number_to_generate) - for choice in choices: - if isinstance(choice, BundleItem): - self.requirements.append(choice) - else: - self.requirements.append(random.choice(choice)) - - def assign_requirements(self, new_requirements: List[BundleItem]) -> List[BundleItem]: - number_to_generate = len(self.requirements) - self.requirements.clear() - for requirement in new_requirements: - self.requirements.append(requirement) - if len(self.requirements) >= number_to_generate: - return new_requirements[number_to_generate:] - - @staticmethod - def parse_stardew_objects(string_objects: str) -> List[str]: - objects = [] - if len(string_objects) < 5: - return objects - rewards_parts = string_objects.split(" ") - for index in range(0, len(rewards_parts), 3): - objects.append(f"{rewards_parts[index]} {rewards_parts[index + 1]} {rewards_parts[index + 2]}") - return objects - - @staticmethod - def parse_stardew_bundle_items(string_objects: str) -> List[BundleItem]: - bundle_items = [] - parts = string_objects.split(" ") - for index in range(0, len(parts), 3): - item_id = int(parts[index]) - bundle_item = BundleItem(all_bundle_items_by_id[item_id].item, - int(parts[index + 1]), - int(parts[index + 2])) - bundle_items.append(bundle_item) - return bundle_items - - # Shuffling the Vault doesn't really work with the stardew system in place - # shuffle_vault_amongst_themselves(random, bundles) - - -def get_all_bundles(random: Random, logic: StardewLogic, randomization: BundleRandomization, price: BundlePrice) -> Dict[str, Bundle]: - bundles = {} - for bundle_key in vanilla_bundles: - bundle_value = vanilla_bundles[bundle_key] - bundle = Bundle(bundle_key, bundle_value) - bundles[bundle.get_name_with_bundle()] = bundle - - if randomization == BundleRandomization.option_thematic: - shuffle_bundles_thematically(random, bundles) - elif randomization == BundleRandomization.option_shuffled: - shuffle_bundles_completely(random, logic, bundles) - - price_difference = 0 - if price == BundlePrice.option_very_cheap: - price_difference = -2 - elif price == BundlePrice.option_cheap: - price_difference = -1 - elif price == BundlePrice.option_expensive: - price_difference = 1 - - for bundle_key in bundles: - bundles[bundle_key].remove_rewards() - bundles[bundle_key].change_number_required(price_difference) - - return bundles - - -def shuffle_bundles_completely(random: Random, logic: StardewLogic, bundles: Dict[str, Bundle]): - total_required_item_number = sum(len(bundle.requirements) for bundle in bundles.values()) - quality_crops_items_set = set(quality_crops_items) - all_bundle_items_without_quality_and_money = [item - for item in all_bundle_items_except_money - if item not in quality_crops_items_set] + \ - random.sample(quality_crops_items, 10) - choices = random.sample(all_bundle_items_without_quality_and_money, total_required_item_number - 4) - - items_sorted = sorted(choices, key=lambda x: logic.item_rules[x.item.name].get_difficulty()) - - keys = sorted(bundles.keys()) - random.shuffle(keys) - - for key in keys: - if not bundles[key].original_name.endswith("00g"): - items_sorted = bundles[key].assign_requirements(items_sorted) - - -def shuffle_bundles_thematically(random: Random, bundles: Dict[str, Bundle]): - shuffle_crafts_room_bundle_thematically(random, bundles) - shuffle_pantry_bundle_thematically(random, bundles) - shuffle_fish_tank_thematically(random, bundles) - shuffle_boiler_room_thematically(random, bundles) - shuffle_bulletin_board_thematically(random, bundles) - - -def shuffle_crafts_room_bundle_thematically(random: Random, bundles: Dict[str, Bundle]): - bundles["Spring Foraging Bundle"].randomize_requirements(random, spring_foraging_items) - bundles["Summer Foraging Bundle"].randomize_requirements(random, summer_foraging_items) - bundles["Fall Foraging Bundle"].randomize_requirements(random, fall_foraging_items) - bundles["Winter Foraging Bundle"].randomize_requirements(random, winter_foraging_items) - bundles["Exotic Foraging Bundle"].randomize_requirements(random, exotic_foraging_items) - bundles["Construction Bundle"].randomize_requirements(random, construction_items) - - -def shuffle_pantry_bundle_thematically(random: Random, bundles: Dict[str, Bundle]): - bundles["Spring Crops Bundle"].randomize_requirements(random, spring_crop_items) - bundles["Summer Crops Bundle"].randomize_requirements(random, summer_crops_items) - bundles["Fall Crops Bundle"].randomize_requirements(random, fall_crops_items) - bundles["Quality Crops Bundle"].randomize_requirements(random, quality_crops_items) - bundles["Animal Bundle"].randomize_requirements(random, animal_product_items) - bundles["Artisan Bundle"].randomize_requirements(random, artisan_goods_items) - - -def shuffle_fish_tank_thematically(random: Random, bundles: Dict[str, Bundle]): - bundles["River Fish Bundle"].randomize_requirements(random, river_fish_items) - bundles["Lake Fish Bundle"].randomize_requirements(random, lake_fish_items) - bundles["Ocean Fish Bundle"].randomize_requirements(random, ocean_fish_items) - bundles["Night Fishing Bundle"].randomize_requirements(random, night_fish_items) - bundles["Crab Pot Bundle"].randomize_requirements(random, crab_pot_items) - bundles["Specialty Fish Bundle"].randomize_requirements(random, specialty_fish_items) - - -def shuffle_boiler_room_thematically(random: Random, bundles: Dict[str, Bundle]): - bundles["Blacksmith's Bundle"].randomize_requirements(random, blacksmith_items) - bundles["Geologist's Bundle"].randomize_requirements(random, geologist_items) - bundles["Adventurer's Bundle"].randomize_requirements(random, adventurer_items) - - -def shuffle_bulletin_board_thematically(random: Random, bundles: Dict[str, Bundle]): - bundles["Chef's Bundle"].randomize_requirements(random, chef_items) - bundles["Dye Bundle"].randomize_requirements(random, dye_items) - bundles["Field Research Bundle"].randomize_requirements(random, field_research_items) - bundles["Fodder Bundle"].randomize_requirements(random, fodder_items) - bundles["Enchanter's Bundle"].randomize_requirements(random, enchanter_items) - - -def shuffle_vault_amongst_themselves(random: Random, bundles: Dict[str, Bundle]): - bundles["2,500g Bundle"].randomize_requirements(random, vault_bundle_items) - bundles["5,000g Bundle"].randomize_requirements(random, vault_bundle_items) - bundles["10,000g Bundle"].randomize_requirements(random, vault_bundle_items) - bundles["25,000g Bundle"].randomize_requirements(random, vault_bundle_items) diff --git a/worlds/stardew_valley/bundles/__init__.py b/worlds/stardew_valley/bundles/__init__.py new file mode 100644 index 000000000000..e69de29bb2d1 diff --git a/worlds/stardew_valley/bundles/bundle.py b/worlds/stardew_valley/bundles/bundle.py new file mode 100644 index 000000000000..199826b96bc8 --- /dev/null +++ b/worlds/stardew_valley/bundles/bundle.py @@ -0,0 +1,163 @@ +from dataclasses import dataclass +from random import Random +from typing import List + +from .bundle_item import BundleItem +from ..options import BundlePrice, StardewValleyOptions, ExcludeGingerIsland, FestivalLocations +from ..strings.currency_names import Currency + + +@dataclass +class Bundle: + room: str + name: str + items: List[BundleItem] + number_required: int + + def __repr__(self): + return f"{self.name} -> {self.number_required} from {repr(self.items)}" + + +@dataclass +class BundleTemplate: + room: str + name: str + items: List[BundleItem] + number_possible_items: int + number_required_items: int + + def __init__(self, room: str, name: str, items: List[BundleItem], number_possible_items: int, number_required_items: int): + self.room = room + self.name = name + self.items = items + self.number_possible_items = number_possible_items + self.number_required_items = number_required_items + + @staticmethod + def extend_from(template, items: List[BundleItem]): + return BundleTemplate(template.room, template.name, items, template.number_possible_items, template.number_required_items) + + def create_bundle(self, bundle_price_option: BundlePrice, random: Random, options: StardewValleyOptions) -> Bundle: + if bundle_price_option == BundlePrice.option_minimum: + number_required = 1 + elif bundle_price_option == BundlePrice.option_maximum: + number_required = 8 + else: + number_required = self.number_required_items + bundle_price_option.value + number_required = max(1, number_required) + filtered_items = [item for item in self.items if item.can_appear(options)] + number_items = len(filtered_items) + number_chosen_items = self.number_possible_items + if number_chosen_items < number_required: + number_chosen_items = number_required + + if number_chosen_items > number_items: + chosen_items = filtered_items + random.choices(filtered_items, k=number_chosen_items - number_items) + else: + chosen_items = random.sample(filtered_items, number_chosen_items) + return Bundle(self.room, self.name, chosen_items, number_required) + + def can_appear(self, options: StardewValleyOptions) -> bool: + return True + + +class CurrencyBundleTemplate(BundleTemplate): + item: BundleItem + + def __init__(self, room: str, name: str, item: BundleItem): + super().__init__(room, name, [item], 1, 1) + self.item = item + + def create_bundle(self, bundle_price_option: BundlePrice, random: Random, options: StardewValleyOptions) -> Bundle: + currency_amount = self.get_currency_amount(bundle_price_option) + return Bundle(self.room, self.name, [BundleItem(self.item.item_name, currency_amount)], 1) + + def get_currency_amount(self, bundle_price_option: BundlePrice): + if bundle_price_option == BundlePrice.option_minimum: + price_multiplier = 0.1 + elif bundle_price_option == BundlePrice.option_maximum: + price_multiplier = 4 + else: + price_multiplier = round(1 + (bundle_price_option.value * 0.4), 2) + + currency_amount = int(self.item.amount * price_multiplier) + return currency_amount + + def can_appear(self, options: StardewValleyOptions) -> bool: + if options.exclude_ginger_island == ExcludeGingerIsland.option_true: + if self.item.item_name == Currency.qi_gem or self.item.item_name == Currency.golden_walnut or self.item.item_name == Currency.cinder_shard: + return False + if options.festival_locations == FestivalLocations.option_disabled: + if self.item.item_name == Currency.star_token: + return False + return True + + +class MoneyBundleTemplate(CurrencyBundleTemplate): + + def __init__(self, room: str, item: BundleItem): + super().__init__(room, "", item) + + def create_bundle(self, bundle_price_option: BundlePrice, random: Random, options: StardewValleyOptions) -> Bundle: + currency_amount = self.get_currency_amount(bundle_price_option) + currency_name = "g" + if currency_amount >= 1000: + unit_amount = currency_amount % 1000 + unit_amount = "000" if unit_amount == 0 else unit_amount + currency_display = f"{currency_amount // 1000},{unit_amount}" + else: + currency_display = f"{currency_amount}" + name = f"{currency_display}{currency_name} Bundle" + return Bundle(self.room, name, [BundleItem(self.item.item_name, currency_amount)], 1) + + def get_currency_amount(self, bundle_price_option: BundlePrice): + if bundle_price_option == BundlePrice.option_minimum: + price_multiplier = 0.1 + elif bundle_price_option == BundlePrice.option_maximum: + price_multiplier = 4 + else: + price_multiplier = round(1 + (bundle_price_option.value * 0.4), 2) + currency_amount = int(self.item.amount * price_multiplier) + return currency_amount + + +class IslandBundleTemplate(BundleTemplate): + def can_appear(self, options: StardewValleyOptions) -> bool: + return options.exclude_ginger_island == ExcludeGingerIsland.option_false + + +class FestivalBundleTemplate(BundleTemplate): + def can_appear(self, options: StardewValleyOptions) -> bool: + return options.festival_locations != FestivalLocations.option_disabled + + +class DeepBundleTemplate(BundleTemplate): + categories: List[List[BundleItem]] + + def __init__(self, room: str, name: str, categories: List[List[BundleItem]], number_possible_items: int, number_required_items: int): + super().__init__(room, name, [], number_possible_items, number_required_items) + self.categories = categories + + def create_bundle(self, bundle_price_option: BundlePrice, random: Random, options: StardewValleyOptions) -> Bundle: + if bundle_price_option == BundlePrice.option_minimum: + number_required = 1 + elif bundle_price_option == BundlePrice.option_maximum: + number_required = 8 + else: + number_required = self.number_required_items + bundle_price_option.value + number_categories = len(self.categories) + number_chosen_categories = self.number_possible_items + if number_chosen_categories < number_required: + number_chosen_categories = number_required + + if number_chosen_categories > number_categories: + chosen_categories = self.categories + random.choices(self.categories, k=number_chosen_categories - number_categories) + else: + chosen_categories = random.sample(self.categories, number_chosen_categories) + + chosen_items = [] + for category in chosen_categories: + filtered_items = [item for item in category if item.can_appear(options)] + chosen_items.append(random.choice(filtered_items)) + + return Bundle(self.room, self.name, chosen_items, number_required) diff --git a/worlds/stardew_valley/bundles/bundle_item.py b/worlds/stardew_valley/bundles/bundle_item.py new file mode 100644 index 000000000000..8aaa67c5f242 --- /dev/null +++ b/worlds/stardew_valley/bundles/bundle_item.py @@ -0,0 +1,73 @@ +from __future__ import annotations + +from abc import ABC, abstractmethod +from dataclasses import dataclass + +from ..options import StardewValleyOptions, ExcludeGingerIsland, FestivalLocations +from ..strings.crop_names import Fruit +from ..strings.currency_names import Currency +from ..strings.quality_names import CropQuality, FishQuality, ForageQuality + + +class BundleItemSource(ABC): + @abstractmethod + def can_appear(self, options: StardewValleyOptions) -> bool: + ... + + +class VanillaItemSource(BundleItemSource): + def can_appear(self, options: StardewValleyOptions) -> bool: + return True + + +class IslandItemSource(BundleItemSource): + def can_appear(self, options: StardewValleyOptions) -> bool: + return options.exclude_ginger_island == ExcludeGingerIsland.option_false + + +class FestivalItemSource(BundleItemSource): + def can_appear(self, options: StardewValleyOptions) -> bool: + return options.festival_locations != FestivalLocations.option_disabled + + +@dataclass(frozen=True, order=True) +class BundleItem: + class Sources: + vanilla = VanillaItemSource() + island = IslandItemSource() + festival = FestivalItemSource() + + item_name: str + amount: int = 1 + quality: str = CropQuality.basic + source: BundleItemSource = Sources.vanilla + + @staticmethod + def money_bundle(amount: int) -> BundleItem: + return BundleItem(Currency.money, amount) + + def as_amount(self, amount: int) -> BundleItem: + return BundleItem(self.item_name, amount, self.quality, self.source) + + def as_quality(self, quality: str) -> BundleItem: + return BundleItem(self.item_name, self.amount, quality, self.source) + + def as_quality_crop(self) -> BundleItem: + amount = 5 + difficult_crops = [Fruit.sweet_gem_berry, Fruit.ancient_fruit] + if self.item_name in difficult_crops: + amount = 1 + return self.as_quality(CropQuality.gold).as_amount(amount) + + def as_quality_fish(self) -> BundleItem: + return self.as_quality(FishQuality.gold) + + def as_quality_forage(self) -> BundleItem: + return self.as_quality(ForageQuality.gold) + + def __repr__(self): + quality = "" if self.quality == CropQuality.basic else self.quality + return f"{self.amount} {quality} {self.item_name}" + + def can_appear(self, options: StardewValleyOptions) -> bool: + return self.source.can_appear(options) diff --git a/worlds/stardew_valley/bundles/bundle_room.py b/worlds/stardew_valley/bundles/bundle_room.py new file mode 100644 index 000000000000..a5cdb89144f5 --- /dev/null +++ b/worlds/stardew_valley/bundles/bundle_room.py @@ -0,0 +1,24 @@ +from dataclasses import dataclass +from random import Random +from typing import List + +from .bundle import Bundle, BundleTemplate +from ..options import BundlePrice, StardewValleyOptions + + +@dataclass +class BundleRoom: + name: str + bundles: List[Bundle] + + +@dataclass +class BundleRoomTemplate: + name: str + bundles: List[BundleTemplate] + number_bundles: int + + def create_bundle_room(self, bundle_price_option: BundlePrice, random: Random, options: StardewValleyOptions): + filtered_bundles = [bundle for bundle in self.bundles if bundle.can_appear(options)] + chosen_bundles = random.sample(filtered_bundles, self.number_bundles) + return BundleRoom(self.name, [bundle.create_bundle(bundle_price_option, random, options) for bundle in chosen_bundles]) diff --git a/worlds/stardew_valley/bundles/bundles.py b/worlds/stardew_valley/bundles/bundles.py new file mode 100644 index 000000000000..260ee17cbe82 --- /dev/null +++ b/worlds/stardew_valley/bundles/bundles.py @@ -0,0 +1,80 @@ +from random import Random +from typing import List + +from .bundle_room import BundleRoom +from ..data.bundle_data import pantry_vanilla, crafts_room_vanilla, fish_tank_vanilla, boiler_room_vanilla, bulletin_board_vanilla, vault_vanilla, \ + pantry_thematic, crafts_room_thematic, fish_tank_thematic, boiler_room_thematic, bulletin_board_thematic, vault_thematic, pantry_remixed, \ + crafts_room_remixed, fish_tank_remixed, boiler_room_remixed, bulletin_board_remixed, vault_remixed, all_bundle_items_except_money, \ + abandoned_joja_mart_thematic, abandoned_joja_mart_vanilla, abandoned_joja_mart_remixed +from ..logic.logic import StardewLogic +from ..options import BundleRandomization, StardewValleyOptions, ExcludeGingerIsland + + +def get_all_bundles(random: Random, logic: StardewLogic, options: StardewValleyOptions) -> List[BundleRoom]: + if options.bundle_randomization == BundleRandomization.option_vanilla: + return get_vanilla_bundles(random, options) + elif options.bundle_randomization == BundleRandomization.option_thematic: + return get_thematic_bundles(random, options) + elif options.bundle_randomization == BundleRandomization.option_remixed: + return get_remixed_bundles(random, options) + elif options.bundle_randomization == BundleRandomization.option_shuffled: + return get_shuffled_bundles(random, logic, options) + + raise NotImplementedError + + +def get_vanilla_bundles(random: Random, options: StardewValleyOptions) -> List[BundleRoom]: + pantry = pantry_vanilla.create_bundle_room(options.bundle_price, random, options) + crafts_room = crafts_room_vanilla.create_bundle_room(options.bundle_price, random, options) + fish_tank = fish_tank_vanilla.create_bundle_room(options.bundle_price, random, options) + boiler_room = boiler_room_vanilla.create_bundle_room(options.bundle_price, random, options) + bulletin_board = bulletin_board_vanilla.create_bundle_room(options.bundle_price, random, options) + vault = vault_vanilla.create_bundle_room(options.bundle_price, random, options) + abandoned_joja_mart = abandoned_joja_mart_vanilla.create_bundle_room(options.bundle_price, random, options) + return [pantry, crafts_room, fish_tank, boiler_room, bulletin_board, vault, abandoned_joja_mart] + + +def get_thematic_bundles(random: Random, options: StardewValleyOptions) -> List[BundleRoom]: + pantry = pantry_thematic.create_bundle_room(options.bundle_price, random, options) + crafts_room = crafts_room_thematic.create_bundle_room(options.bundle_price, random, options) + fish_tank = fish_tank_thematic.create_bundle_room(options.bundle_price, random, options) + boiler_room = boiler_room_thematic.create_bundle_room(options.bundle_price, random, options) + bulletin_board = bulletin_board_thematic.create_bundle_room(options.bundle_price, random, options) + vault = vault_thematic.create_bundle_room(options.bundle_price, random, options) + abandoned_joja_mart = abandoned_joja_mart_thematic.create_bundle_room(options.bundle_price, random, options) + return [pantry, crafts_room, fish_tank, boiler_room, bulletin_board, vault, abandoned_joja_mart] + + +def get_remixed_bundles(random: Random, options: StardewValleyOptions) -> List[BundleRoom]: + pantry = pantry_remixed.create_bundle_room(options.bundle_price, random, options) + crafts_room = crafts_room_remixed.create_bundle_room(options.bundle_price, random, options) + fish_tank = fish_tank_remixed.create_bundle_room(options.bundle_price, random, options) + boiler_room = boiler_room_remixed.create_bundle_room(options.bundle_price, random, options) + bulletin_board = bulletin_board_remixed.create_bundle_room(options.bundle_price, random, options) + vault = vault_remixed.create_bundle_room(options.bundle_price, random, options) + abandoned_joja_mart = abandoned_joja_mart_remixed.create_bundle_room(options.bundle_price, random, options) + return [pantry, crafts_room, fish_tank, boiler_room, bulletin_board, vault, abandoned_joja_mart] + + +def get_shuffled_bundles(random: Random, logic: StardewLogic, options: StardewValleyOptions) -> List[BundleRoom]: + valid_bundle_items = [bundle_item for bundle_item in all_bundle_items_except_money if bundle_item.can_appear(options)] + + rooms = [room for room in get_remixed_bundles(random, options) if room.name != "Vault"] + required_items = 0 + for room in rooms: + for bundle in room.bundles: + required_items += len(bundle.items) + random.shuffle(room.bundles) + random.shuffle(rooms) + + chosen_bundle_items = random.sample(valid_bundle_items, required_items) + sorted_bundle_items = sorted(chosen_bundle_items, key=lambda x: logic.has(x.item_name).get_difficulty()) + for room in rooms: + for bundle in room.bundles: + num_items = len(bundle.items) + bundle.items = sorted_bundle_items[:num_items] + sorted_bundle_items = sorted_bundle_items[num_items:] + + vault = vault_remixed.create_bundle_room(options.bundle_price, random, options) + return [*rooms, vault] + diff --git a/worlds/stardew_valley/data/bundle_data.py b/worlds/stardew_valley/data/bundle_data.py index 183383ccbf3a..0e6aacdfb8a5 100644 --- a/worlds/stardew_valley/data/bundle_data.py +++ b/worlds/stardew_valley/data/bundle_data.py @@ -1,419 +1,777 @@ -from dataclasses import dataclass - -from . import fish_data -from .common_data import quality_dict -from .game_item import GameItem -from .museum_data import Mineral - -@dataclass(frozen=True) -class BundleItem: - item: GameItem - amount: int - quality: int - - @staticmethod - def item_bundle(name: str, item_id: int, amount: int, quality: int): - return BundleItem(GameItem(name, item_id), amount, quality) - - @staticmethod - def money_bundle(amount: int): - return BundleItem.item_bundle("Money", -1, amount, amount) - - def as_amount(self, amount: int): - return BundleItem.item_bundle(self.item.name, self.item.item_id, amount, self.quality) - - def as_quality(self, quality: int): - return BundleItem.item_bundle(self.item.name, self.item.item_id, self.amount, quality) - - def as_gold_quality(self): - return self.as_quality(2) - - def as_quality_crop(self): - amount = 5 - difficult_crops = ["Sweet Gem Berry", "Ancient Fruit"] - if self.item.name in difficult_crops: - amount = 1 - return self.as_gold_quality().as_amount(amount) - - def is_gold_quality(self) -> bool: - return self.quality >= 2 - - def __repr__(self): - return f"{self.amount} {quality_dict[self.quality]} {self.item.name}" - - def __lt__(self, other): - return self.item < other.item - - -wild_horseradish = BundleItem.item_bundle("Wild Horseradish", 16, 1, 0) -daffodil = BundleItem.item_bundle("Daffodil", 18, 1, 0) -leek = BundleItem.item_bundle("Leek", 20, 1, 0) -dandelion = BundleItem.item_bundle("Dandelion", 22, 1, 0) -morel = BundleItem.item_bundle("Morel", 257, 1, 0) -common_mushroom = BundleItem.item_bundle("Common Mushroom", 404, 1, 0) -salmonberry = BundleItem.item_bundle("Salmonberry", 296, 1, 0) -spring_onion = BundleItem.item_bundle("Spring Onion", 399, 1, 0) - -grape = BundleItem.item_bundle("Grape", 398, 1, 0) -spice_berry = BundleItem.item_bundle("Spice Berry", 396, 1, 0) -sweet_pea = BundleItem.item_bundle("Sweet Pea", 402, 1, 0) -red_mushroom = BundleItem.item_bundle("Red Mushroom", 420, 1, 0) -fiddlehead_fern = BundleItem.item_bundle("Fiddlehead Fern", 259, 1, 0) - -wild_plum = BundleItem.item_bundle("Wild Plum", 406, 1, 0) -hazelnut = BundleItem.item_bundle("Hazelnut", 408, 1, 0) -blackberry = BundleItem.item_bundle("Blackberry", 410, 1, 0) -chanterelle = BundleItem.item_bundle("Chanterelle", 281, 1, 0) - -winter_root = BundleItem.item_bundle("Winter Root", 412, 1, 0) -crystal_fruit = BundleItem.item_bundle("Crystal Fruit", 414, 1, 0) -snow_yam = BundleItem.item_bundle("Snow Yam", 416, 1, 0) -crocus = BundleItem.item_bundle("Crocus", 418, 1, 0) -holly = BundleItem.item_bundle("Holly", 283, 1, 0) - -coconut = BundleItem.item_bundle("Coconut", 88, 1, 0) -cactus_fruit = BundleItem.item_bundle("Cactus Fruit", 90, 1, 0) -cave_carrot = BundleItem.item_bundle("Cave Carrot", 78, 1, 0) -purple_mushroom = BundleItem.item_bundle("Purple Mushroom", 422, 1, 0) -maple_syrup = BundleItem.item_bundle("Maple Syrup", 724, 1, 0) -oak_resin = BundleItem.item_bundle("Oak Resin", 725, 1, 0) -pine_tar = BundleItem.item_bundle("Pine Tar", 726, 1, 0) -nautilus_shell = BundleItem.item_bundle("Nautilus Shell", 392, 1, 0) -coral = BundleItem.item_bundle("Coral", 393, 1, 0) -sea_urchin = BundleItem.item_bundle("Sea Urchin", 397, 1, 0) -rainbow_shell = BundleItem.item_bundle("Rainbow Shell", 394, 1, 0) -clam = BundleItem(fish_data.clam, 1, 0) -cockle = BundleItem(fish_data.cockle, 1, 0) -mussel = BundleItem(fish_data.mussel, 1, 0) -oyster = BundleItem(fish_data.oyster, 1, 0) -seaweed = BundleItem.item_bundle("Seaweed", 152, 1, 0) - -wood = BundleItem.item_bundle("Wood", 388, 99, 0) -stone = BundleItem.item_bundle("Stone", 390, 99, 0) -hardwood = BundleItem.item_bundle("Hardwood", 709, 10, 0) -clay = BundleItem.item_bundle("Clay", 330, 10, 0) -fiber = BundleItem.item_bundle("Fiber", 771, 99, 0) - -blue_jazz = BundleItem.item_bundle("Blue Jazz", 597, 1, 0) -cauliflower = BundleItem.item_bundle("Cauliflower", 190, 1, 0) -green_bean = BundleItem.item_bundle("Green Bean", 188, 1, 0) -kale = BundleItem.item_bundle("Kale", 250, 1, 0) -parsnip = BundleItem.item_bundle("Parsnip", 24, 1, 0) -potato = BundleItem.item_bundle("Potato", 192, 1, 0) -strawberry = BundleItem.item_bundle("Strawberry", 400, 1, 0) -tulip = BundleItem.item_bundle("Tulip", 591, 1, 0) -unmilled_rice = BundleItem.item_bundle("Unmilled Rice", 271, 1, 0) -blueberry = BundleItem.item_bundle("Blueberry", 258, 1, 0) -corn = BundleItem.item_bundle("Corn", 270, 1, 0) -hops = BundleItem.item_bundle("Hops", 304, 1, 0) -hot_pepper = BundleItem.item_bundle("Hot Pepper", 260, 1, 0) -melon = BundleItem.item_bundle("Melon", 254, 1, 0) -poppy = BundleItem.item_bundle("Poppy", 376, 1, 0) -radish = BundleItem.item_bundle("Radish", 264, 1, 0) -summer_spangle = BundleItem.item_bundle("Summer Spangle", 593, 1, 0) -sunflower = BundleItem.item_bundle("Sunflower", 421, 1, 0) -tomato = BundleItem.item_bundle("Tomato", 256, 1, 0) -wheat = BundleItem.item_bundle("Wheat", 262, 1, 0) -hay = BundleItem.item_bundle("Hay", 178, 1, 0) -amaranth = BundleItem.item_bundle("Amaranth", 300, 1, 0) -bok_choy = BundleItem.item_bundle("Bok Choy", 278, 1, 0) -cranberries = BundleItem.item_bundle("Cranberries", 282, 1, 0) -eggplant = BundleItem.item_bundle("Eggplant", 272, 1, 0) -fairy_rose = BundleItem.item_bundle("Fairy Rose", 595, 1, 0) -pumpkin = BundleItem.item_bundle("Pumpkin", 276, 1, 0) -yam = BundleItem.item_bundle("Yam", 280, 1, 0) -sweet_gem_berry = BundleItem.item_bundle("Sweet Gem Berry", 417, 1, 0) -rhubarb = BundleItem.item_bundle("Rhubarb", 252, 1, 0) -beet = BundleItem.item_bundle("Beet", 284, 1, 0) -red_cabbage = BundleItem.item_bundle("Red Cabbage", 266, 1, 0) -artichoke = BundleItem.item_bundle("Artichoke", 274, 1, 0) - -egg = BundleItem.item_bundle("Egg", 176, 1, 0) -large_egg = BundleItem.item_bundle("Large Egg", 174, 1, 0) -brown_egg = BundleItem.item_bundle("Egg (Brown)", 180, 1, 0) -large_brown_egg = BundleItem.item_bundle("Large Egg (Brown)", 182, 1, 0) -wool = BundleItem.item_bundle("Wool", 440, 1, 0) -milk = BundleItem.item_bundle("Milk", 184, 1, 0) -large_milk = BundleItem.item_bundle("Large Milk", 186, 1, 0) -goat_milk = BundleItem.item_bundle("Goat Milk", 436, 1, 0) -large_goat_milk = BundleItem.item_bundle("Large Goat Milk", 438, 1, 0) -truffle = BundleItem.item_bundle("Truffle", 430, 1, 0) -duck_feather = BundleItem.item_bundle("Duck Feather", 444, 1, 0) -duck_egg = BundleItem.item_bundle("Duck Egg", 442, 1, 0) -rabbit_foot = BundleItem.item_bundle("Rabbit's Foot", 446, 1, 0) - -truffle_oil = BundleItem.item_bundle("Truffle Oil", 432, 1, 0) -cloth = BundleItem.item_bundle("Cloth", 428, 1, 0) -goat_cheese = BundleItem.item_bundle("Goat Cheese", 426, 1, 0) -cheese = BundleItem.item_bundle("Cheese", 424, 1, 0) -honey = BundleItem.item_bundle("Honey", 340, 1, 0) -beer = BundleItem.item_bundle("Beer", 346, 1, 0) -juice = BundleItem.item_bundle("Juice", 350, 1, 0) -mead = BundleItem.item_bundle("Mead", 459, 1, 0) -pale_ale = BundleItem.item_bundle("Pale Ale", 303, 1, 0) -wine = BundleItem.item_bundle("Wine", 348, 1, 0) -jelly = BundleItem.item_bundle("Jelly", 344, 1, 0) -pickles = BundleItem.item_bundle("Pickles", 342, 1, 0) -caviar = BundleItem.item_bundle("Caviar", 445, 1, 0) -aged_roe = BundleItem.item_bundle("Aged Roe", 447, 1, 0) -apple = BundleItem.item_bundle("Apple", 613, 1, 0) -apricot = BundleItem.item_bundle("Apricot", 634, 1, 0) -orange = BundleItem.item_bundle("Orange", 635, 1, 0) -peach = BundleItem.item_bundle("Peach", 636, 1, 0) -pomegranate = BundleItem.item_bundle("Pomegranate", 637, 1, 0) -cherry = BundleItem.item_bundle("Cherry", 638, 1, 0) -lobster = BundleItem(fish_data.lobster, 1, 0) -crab = BundleItem(fish_data.crab, 1, 0) -shrimp = BundleItem(fish_data.shrimp, 1, 0) -crayfish = BundleItem(fish_data.crayfish, 1, 0) -snail = BundleItem(fish_data.snail, 1, 0) -periwinkle = BundleItem(fish_data.periwinkle, 1, 0) -trash = BundleItem.item_bundle("Trash", 168, 1, 0) -driftwood = BundleItem.item_bundle("Driftwood", 169, 1, 0) -soggy_newspaper = BundleItem.item_bundle("Soggy Newspaper", 172, 1, 0) -broken_cd = BundleItem.item_bundle("Broken CD", 171, 1, 0) -broken_glasses = BundleItem.item_bundle("Broken Glasses", 170, 1, 0) - -chub = BundleItem(fish_data.chub, 1, 0) -catfish = BundleItem(fish_data.catfish, 1, 0) -rainbow_trout = BundleItem(fish_data.rainbow_trout, 1, 0) -lingcod = BundleItem(fish_data.lingcod, 1, 0) -walleye = BundleItem(fish_data.walleye, 1, 0) -perch = BundleItem(fish_data.perch, 1, 0) -pike = BundleItem(fish_data.pike, 1, 0) -bream = BundleItem(fish_data.bream, 1, 0) -salmon = BundleItem(fish_data.salmon, 1, 0) -sunfish = BundleItem(fish_data.sunfish, 1, 0) -tiger_trout = BundleItem(fish_data.tiger_trout, 1, 0) -shad = BundleItem(fish_data.shad, 1, 0) -smallmouth_bass = BundleItem(fish_data.smallmouth_bass, 1, 0) -dorado = BundleItem(fish_data.dorado, 1, 0) -carp = BundleItem(fish_data.carp, 1, 0) -midnight_carp = BundleItem(fish_data.midnight_carp, 1, 0) -largemouth_bass = BundleItem(fish_data.largemouth_bass, 1, 0) -sturgeon = BundleItem(fish_data.sturgeon, 1, 0) -bullhead = BundleItem(fish_data.bullhead, 1, 0) -tilapia = BundleItem(fish_data.tilapia, 1, 0) -pufferfish = BundleItem(fish_data.pufferfish, 1, 0) -tuna = BundleItem(fish_data.tuna, 1, 0) -super_cucumber = BundleItem(fish_data.super_cucumber, 1, 0) -flounder = BundleItem(fish_data.flounder, 1, 0) -anchovy = BundleItem(fish_data.anchovy, 1, 0) -sardine = BundleItem(fish_data.sardine, 1, 0) -red_mullet = BundleItem(fish_data.red_mullet, 1, 0) -herring = BundleItem(fish_data.herring, 1, 0) -eel = BundleItem(fish_data.eel, 1, 0) -octopus = BundleItem(fish_data.octopus, 1, 0) -red_snapper = BundleItem(fish_data.red_snapper, 1, 0) -squid = BundleItem(fish_data.squid, 1, 0) -sea_cucumber = BundleItem(fish_data.sea_cucumber, 1, 0) -albacore = BundleItem(fish_data.albacore, 1, 0) -halibut = BundleItem(fish_data.halibut, 1, 0) -scorpion_carp = BundleItem(fish_data.scorpion_carp, 1, 0) -sandfish = BundleItem(fish_data.sandfish, 1, 0) -woodskip = BundleItem(fish_data.woodskip, 1, 0) -lava_eel = BundleItem(fish_data.lava_eel, 1, 0) -ice_pip = BundleItem(fish_data.ice_pip, 1, 0) -stonefish = BundleItem(fish_data.stonefish, 1, 0) -ghostfish = BundleItem(fish_data.ghostfish, 1, 0) - -wilted_bouquet = BundleItem.item_bundle("Wilted Bouquet", 277, 1, 0) -copper_bar = BundleItem.item_bundle("Copper Bar", 334, 2, 0) -iron_Bar = BundleItem.item_bundle("Iron Bar", 335, 2, 0) -gold_bar = BundleItem.item_bundle("Gold Bar", 336, 1, 0) -iridium_bar = BundleItem.item_bundle("Iridium Bar", 337, 1, 0) -refined_quartz = BundleItem.item_bundle("Refined Quartz", 338, 2, 0) -coal = BundleItem.item_bundle("Coal", 382, 5, 0) - -quartz = BundleItem(Mineral.quartz, 1, 0) -fire_quartz = BundleItem(Mineral.fire_quartz, 1, 0) -frozen_tear = BundleItem(Mineral.frozen_tear, 1, 0) -earth_crystal = BundleItem(Mineral.earth_crystal, 1, 0) -emerald = BundleItem(Mineral.emerald, 1, 0) -aquamarine = BundleItem(Mineral.aquamarine, 1, 0) -ruby = BundleItem(Mineral.ruby, 1, 0) -amethyst = BundleItem(Mineral.amethyst, 1, 0) -topaz = BundleItem(Mineral.topaz, 1, 0) -jade = BundleItem(Mineral.jade, 1, 0) - -slime = BundleItem.item_bundle("Slime", 766, 99, 0) -bug_meat = BundleItem.item_bundle("Bug Meat", 684, 10, 0) -bat_wing = BundleItem.item_bundle("Bat Wing", 767, 10, 0) -solar_essence = BundleItem.item_bundle("Solar Essence", 768, 1, 0) -void_essence = BundleItem.item_bundle("Void Essence", 769, 1, 0) - -maki_roll = BundleItem.item_bundle("Maki Roll", 228, 1, 0) -fried_egg = BundleItem.item_bundle("Fried Egg", 194, 1, 0) -omelet = BundleItem.item_bundle("Omelet", 195, 1, 0) -pizza = BundleItem.item_bundle("Pizza", 206, 1, 0) -hashbrowns = BundleItem.item_bundle("Hashbrowns", 210, 1, 0) -pancakes = BundleItem.item_bundle("Pancakes", 211, 1, 0) -bread = BundleItem.item_bundle("Bread", 216, 1, 0) -tortilla = BundleItem.item_bundle("Tortilla", 229, 1, 0) -triple_shot_espresso = BundleItem.item_bundle("Triple Shot Espresso", 253, 1, 0) -farmer_s_lunch = BundleItem.item_bundle("Farmer's Lunch", 240, 1, 0) -survival_burger = BundleItem.item_bundle("Survival Burger", 241, 1, 0) -dish_o_the_sea = BundleItem.item_bundle("Dish O' The Sea", 242, 1, 0) -miner_s_treat = BundleItem.item_bundle("Miner's Treat", 243, 1, 0) -roots_platter = BundleItem.item_bundle("Roots Platter", 244, 1, 0) -salad = BundleItem.item_bundle("Salad", 196, 1, 0) -cheese_cauliflower = BundleItem.item_bundle("Cheese Cauliflower", 197, 1, 0) -parsnip_soup = BundleItem.item_bundle("Parsnip Soup", 199, 1, 0) -fried_mushroom = BundleItem.item_bundle("Fried Mushroom", 205, 1, 0) -salmon_dinner = BundleItem.item_bundle("Salmon Dinner", 212, 1, 0) -pepper_poppers = BundleItem.item_bundle("Pepper Poppers", 215, 1, 0) -spaghetti = BundleItem.item_bundle("Spaghetti", 224, 1, 0) -sashimi = BundleItem.item_bundle("Sashimi", 227, 1, 0) -blueberry_tart = BundleItem.item_bundle("Blueberry Tart", 234, 1, 0) -algae_soup = BundleItem.item_bundle("Algae Soup", 456, 1, 0) -pale_broth = BundleItem.item_bundle("Pale Broth", 457, 1, 0) -chowder = BundleItem.item_bundle("Chowder", 727, 1, 0) -green_algae = BundleItem.item_bundle("Green Algae", 153, 1, 0) -white_algae = BundleItem.item_bundle("White Algae", 157, 1, 0) -geode = BundleItem.item_bundle("Geode", 535, 1, 0) -frozen_geode = BundleItem.item_bundle("Frozen Geode", 536, 1, 0) -magma_geode = BundleItem.item_bundle("Magma Geode", 537, 1, 0) -omni_geode = BundleItem.item_bundle("Omni Geode", 749, 1, 0) - -spring_foraging_items = [wild_horseradish, daffodil, leek, dandelion, salmonberry, spring_onion] -summer_foraging_items = [grape, spice_berry, sweet_pea, fiddlehead_fern, rainbow_shell] -fall_foraging_items = [common_mushroom, wild_plum, hazelnut, blackberry] -winter_foraging_items = [winter_root, crystal_fruit, snow_yam, crocus, holly, nautilus_shell] -exotic_foraging_items = [coconut, cactus_fruit, cave_carrot, red_mushroom, purple_mushroom, - maple_syrup, oak_resin, pine_tar, morel, coral, - sea_urchin, clam, cockle, mussel, oyster, seaweed] -construction_items = [wood, stone, hardwood, clay, fiber] - -# TODO coffee_bean, garlic, rhubarb, tea_leaves -spring_crop_items = [blue_jazz, cauliflower, green_bean, kale, parsnip, potato, strawberry, tulip, unmilled_rice] -# TODO red_cabbage, starfruit, ancient_fruit, pineapple, taro_root -summer_crops_items = [blueberry, corn, hops, hot_pepper, melon, poppy, - radish, summer_spangle, sunflower, tomato, wheat] -# TODO artichoke, beet -fall_crops_items = [corn, sunflower, wheat, amaranth, bok_choy, cranberries, - eggplant, fairy_rose, grape, pumpkin, yam, sweet_gem_berry] -all_crops_items = sorted({*spring_crop_items, *summer_crops_items, *fall_crops_items}) -quality_crops_items = [item.as_quality_crop() for item in all_crops_items] -# TODO void_egg, dinosaur_egg, ostrich_egg, golden_egg -animal_product_items = [egg, large_egg, brown_egg, large_brown_egg, wool, milk, large_milk, - goat_milk, large_goat_milk, truffle, duck_feather, duck_egg, rabbit_foot] -# TODO coffee, green_tea -artisan_goods_items = [truffle_oil, cloth, goat_cheese, cheese, honey, beer, juice, mead, pale_ale, wine, jelly, - pickles, caviar, aged_roe, apple, apricot, orange, peach, pomegranate, cherry] - -river_fish_items = [chub, catfish, rainbow_trout, lingcod, walleye, perch, pike, bream, - salmon, sunfish, tiger_trout, shad, smallmouth_bass, dorado] -lake_fish_items = [chub, rainbow_trout, lingcod, walleye, perch, carp, midnight_carp, largemouth_bass, sturgeon, bullhead] -ocean_fish_items = [tilapia, pufferfish, tuna, super_cucumber, flounder, anchovy, sardine, red_mullet, - herring, eel, octopus, red_snapper, squid, sea_cucumber, albacore, halibut] -night_fish_items = [walleye, bream, super_cucumber, eel, squid, midnight_carp] -# TODO void_salmon -specialty_fish_items = [scorpion_carp, sandfish, woodskip, pufferfish, eel, octopus, - squid, lava_eel, ice_pip, stonefish, ghostfish, dorado] -crab_pot_items = [lobster, clam, crab, cockle, mussel, shrimp, oyster, crayfish, snail, - periwinkle, trash, driftwood, soggy_newspaper, broken_cd, broken_glasses] - -# TODO radioactive_bar -blacksmith_items = [wilted_bouquet, copper_bar, iron_Bar, gold_bar, iridium_bar, refined_quartz, coal] -geologist_items = [quartz, earth_crystal, frozen_tear, fire_quartz, emerald, aquamarine, ruby, amethyst, topaz, jade] -adventurer_items = [slime, bug_meat, bat_wing, solar_essence, void_essence, coal] - -chef_items = [maki_roll, fried_egg, omelet, pizza, hashbrowns, pancakes, bread, tortilla, triple_shot_espresso, - farmer_s_lunch, survival_burger, dish_o_the_sea, miner_s_treat, roots_platter, salad, - cheese_cauliflower, parsnip_soup, fried_mushroom, salmon_dinner, pepper_poppers, spaghetti, - sashimi, blueberry_tart, algae_soup, pale_broth, chowder] - -dwarf_scroll_1 = BundleItem.item_bundle("Dwarf Scroll I", 96, 1, 0) -dwarf_scroll_2 = BundleItem.item_bundle("Dwarf Scroll II", 97, 1, 0) -dwarf_scroll_3 = BundleItem.item_bundle("Dwarf Scroll III", 98, 1, 0) -dwarf_scroll_4 = BundleItem.item_bundle("Dwarf Scroll IV", 99, 1, 0) -elvish_jewelry = BundleItem.item_bundle("Elvish Jewelry", 104, 1, 0) -ancient_drum = BundleItem.item_bundle("Ancient Drum", 123, 1, 0) -dried_starfish = BundleItem.item_bundle("Dried Starfish", 116, 1, 0) - +from ..bundles.bundle import BundleTemplate, IslandBundleTemplate, DeepBundleTemplate, CurrencyBundleTemplate, MoneyBundleTemplate, FestivalBundleTemplate +from ..bundles.bundle_item import BundleItem +from ..bundles.bundle_room import BundleRoomTemplate +from ..strings.animal_product_names import AnimalProduct +from ..strings.artisan_good_names import ArtisanGood +from ..strings.bundle_names import CCRoom, BundleName +from ..strings.craftable_names import Fishing, Craftable, Bomb +from ..strings.crop_names import Fruit, Vegetable +from ..strings.currency_names import Currency +from ..strings.fertilizer_names import Fertilizer, RetainingSoil, SpeedGro +from ..strings.fish_names import Fish, WaterItem, Trash +from ..strings.flower_names import Flower +from ..strings.food_names import Beverage, Meal +from ..strings.forageable_names import Forageable +from ..strings.geode_names import Geode +from ..strings.gift_names import Gift +from ..strings.ingredient_names import Ingredient +from ..strings.material_names import Material +from ..strings.metal_names import MetalBar, Artifact, Fossil, Ore, Mineral +from ..strings.monster_drop_names import Loot +from ..strings.quality_names import ForageQuality, ArtisanQuality, FishQuality +from ..strings.seed_names import Seed + +wild_horseradish = BundleItem(Forageable.wild_horseradish) +daffodil = BundleItem(Forageable.daffodil) +leek = BundleItem(Forageable.leek) +dandelion = BundleItem(Forageable.dandelion) +morel = BundleItem(Forageable.morel) +common_mushroom = BundleItem(Forageable.common_mushroom) +salmonberry = BundleItem(Forageable.salmonberry) +spring_onion = BundleItem(Forageable.spring_onion) + +grape = BundleItem(Fruit.grape) +spice_berry = BundleItem(Forageable.spice_berry) +sweet_pea = BundleItem(Forageable.sweet_pea) +red_mushroom = BundleItem(Forageable.red_mushroom) +fiddlehead_fern = BundleItem(Forageable.fiddlehead_fern) + +wild_plum = BundleItem(Forageable.wild_plum) +hazelnut = BundleItem(Forageable.hazelnut) +blackberry = BundleItem(Forageable.blackberry) +chanterelle = BundleItem(Forageable.chanterelle) + +winter_root = BundleItem(Forageable.winter_root) +crystal_fruit = BundleItem(Forageable.crystal_fruit) +snow_yam = BundleItem(Forageable.snow_yam) +crocus = BundleItem(Forageable.crocus) +holly = BundleItem(Forageable.holly) + +coconut = BundleItem(Forageable.coconut) +cactus_fruit = BundleItem(Forageable.cactus_fruit) +cave_carrot = BundleItem(Forageable.cave_carrot) +purple_mushroom = BundleItem(Forageable.purple_mushroom) +maple_syrup = BundleItem(ArtisanGood.maple_syrup) +oak_resin = BundleItem(ArtisanGood.oak_resin) +pine_tar = BundleItem(ArtisanGood.pine_tar) +nautilus_shell = BundleItem(WaterItem.nautilus_shell) +coral = BundleItem(WaterItem.coral) +sea_urchin = BundleItem(WaterItem.sea_urchin) +rainbow_shell = BundleItem(Forageable.rainbow_shell) +clam = BundleItem(Fish.clam) +cockle = BundleItem(Fish.cockle) +mussel = BundleItem(Fish.mussel) +oyster = BundleItem(Fish.oyster) +seaweed = BundleItem(WaterItem.seaweed) + +wood = BundleItem(Material.wood, 99) +stone = BundleItem(Material.stone, 99) +hardwood = BundleItem(Material.hardwood, 10) +clay = BundleItem(Material.clay, 10) +fiber = BundleItem(Material.fiber, 99) + +blue_jazz = BundleItem(Flower.blue_jazz) +cauliflower = BundleItem(Vegetable.cauliflower) +green_bean = BundleItem(Vegetable.green_bean) +kale = BundleItem(Vegetable.kale) +parsnip = BundleItem(Vegetable.parsnip) +potato = BundleItem(Vegetable.potato) +strawberry = BundleItem(Fruit.strawberry, source=BundleItem.Sources.festival) +tulip = BundleItem(Flower.tulip) +unmilled_rice = BundleItem(Vegetable.unmilled_rice) +coffee_bean = BundleItem(Seed.coffee) +garlic = BundleItem(Vegetable.garlic) +blueberry = BundleItem(Fruit.blueberry) +corn = BundleItem(Vegetable.corn) +hops = BundleItem(Vegetable.hops) +hot_pepper = BundleItem(Fruit.hot_pepper) +melon = BundleItem(Fruit.melon) +poppy = BundleItem(Flower.poppy) +radish = BundleItem(Vegetable.radish) +summer_spangle = BundleItem(Flower.summer_spangle) +sunflower = BundleItem(Flower.sunflower) +tomato = BundleItem(Vegetable.tomato) +wheat = BundleItem(Vegetable.wheat) +hay = BundleItem(Forageable.hay) +amaranth = BundleItem(Vegetable.amaranth) +bok_choy = BundleItem(Vegetable.bok_choy) +cranberries = BundleItem(Fruit.cranberries) +eggplant = BundleItem(Vegetable.eggplant) +fairy_rose = BundleItem(Flower.fairy_rose) +pumpkin = BundleItem(Vegetable.pumpkin) +yam = BundleItem(Vegetable.yam) +sweet_gem_berry = BundleItem(Fruit.sweet_gem_berry) +rhubarb = BundleItem(Fruit.rhubarb) +beet = BundleItem(Vegetable.beet) +red_cabbage = BundleItem(Vegetable.red_cabbage) +starfruit = BundleItem(Fruit.starfruit) +artichoke = BundleItem(Vegetable.artichoke) +pineapple = BundleItem(Fruit.pineapple, source=BundleItem.Sources.island) +taro_root = BundleItem(Vegetable.taro_root, source=BundleItem.Sources.island, ) + +egg = BundleItem(AnimalProduct.egg) +large_egg = BundleItem(AnimalProduct.large_egg) +brown_egg = BundleItem(AnimalProduct.brown_egg) +large_brown_egg = BundleItem(AnimalProduct.large_brown_egg) +wool = BundleItem(AnimalProduct.wool) +milk = BundleItem(AnimalProduct.milk) +large_milk = BundleItem(AnimalProduct.large_milk) +goat_milk = BundleItem(AnimalProduct.goat_milk) +large_goat_milk = BundleItem(AnimalProduct.large_goat_milk) +truffle = BundleItem(AnimalProduct.truffle) +duck_feather = BundleItem(AnimalProduct.duck_feather) +duck_egg = BundleItem(AnimalProduct.duck_egg) +rabbit_foot = BundleItem(AnimalProduct.rabbit_foot) +dinosaur_egg = BundleItem(AnimalProduct.dinosaur_egg) +void_egg = BundleItem(AnimalProduct.void_egg) +ostrich_egg = BundleItem(AnimalProduct.ostrich_egg, source=BundleItem.Sources.island, ) +golden_egg = BundleItem(AnimalProduct.golden_egg) + +truffle_oil = BundleItem(ArtisanGood.truffle_oil) +cloth = BundleItem(ArtisanGood.cloth) +goat_cheese = BundleItem(ArtisanGood.goat_cheese) +cheese = BundleItem(ArtisanGood.cheese) +honey = BundleItem(ArtisanGood.honey) +beer = BundleItem(Beverage.beer) +juice = BundleItem(ArtisanGood.juice) +mead = BundleItem(ArtisanGood.mead) +pale_ale = BundleItem(ArtisanGood.pale_ale) +wine = BundleItem(ArtisanGood.wine) +jelly = BundleItem(ArtisanGood.jelly) +pickles = BundleItem(ArtisanGood.pickles) +caviar = BundleItem(ArtisanGood.caviar) +aged_roe = BundleItem(ArtisanGood.aged_roe) +roe = BundleItem(AnimalProduct.roe) +squid_ink = BundleItem(AnimalProduct.squid_ink) +coffee = BundleItem(Beverage.coffee) +green_tea = BundleItem(ArtisanGood.green_tea) +apple = BundleItem(Fruit.apple) +apricot = BundleItem(Fruit.apricot) +orange = BundleItem(Fruit.orange) +peach = BundleItem(Fruit.peach) +pomegranate = BundleItem(Fruit.pomegranate) +cherry = BundleItem(Fruit.cherry) +banana = BundleItem(Fruit.banana, source=BundleItem.Sources.island) +mango = BundleItem(Fruit.mango, source=BundleItem.Sources.island) + +basic_fertilizer = BundleItem(Fertilizer.basic, 100) +quality_fertilizer = BundleItem(Fertilizer.quality, 20) +deluxe_fertilizer = BundleItem(Fertilizer.deluxe, 5, source=BundleItem.Sources.island) +basic_retaining_soil = BundleItem(RetainingSoil.basic, 80) +quality_retaining_soil = BundleItem(RetainingSoil.quality, 50) +deluxe_retaining_soil = BundleItem(RetainingSoil.deluxe, 20, source=BundleItem.Sources.island) +speed_gro = BundleItem(SpeedGro.basic, 40) +deluxe_speed_gro = BundleItem(SpeedGro.deluxe, 20) +hyper_speed_gro = BundleItem(SpeedGro.hyper, 5, source=BundleItem.Sources.island) +tree_fertilizer = BundleItem(Fertilizer.tree, 20) + +lobster = BundleItem(Fish.lobster) +crab = BundleItem(Fish.crab) +shrimp = BundleItem(Fish.shrimp) +crayfish = BundleItem(Fish.crayfish) +snail = BundleItem(Fish.snail) +periwinkle = BundleItem(Fish.periwinkle) +trash = BundleItem(Trash.trash) +driftwood = BundleItem(Trash.driftwood) +soggy_newspaper = BundleItem(Trash.soggy_newspaper) +broken_cd = BundleItem(Trash.broken_cd) +broken_glasses = BundleItem(Trash.broken_glasses) + +chub = BundleItem(Fish.chub) +catfish = BundleItem(Fish.catfish) +rainbow_trout = BundleItem(Fish.rainbow_trout) +lingcod = BundleItem(Fish.lingcod) +walleye = BundleItem(Fish.walleye) +perch = BundleItem(Fish.perch) +pike = BundleItem(Fish.pike) +bream = BundleItem(Fish.bream) +salmon = BundleItem(Fish.salmon) +sunfish = BundleItem(Fish.sunfish) +tiger_trout = BundleItem(Fish.tiger_trout) +shad = BundleItem(Fish.shad) +smallmouth_bass = BundleItem(Fish.smallmouth_bass) +dorado = BundleItem(Fish.dorado) +carp = BundleItem(Fish.carp) +midnight_carp = BundleItem(Fish.midnight_carp) +largemouth_bass = BundleItem(Fish.largemouth_bass) +sturgeon = BundleItem(Fish.sturgeon) +bullhead = BundleItem(Fish.bullhead) +tilapia = BundleItem(Fish.tilapia) +pufferfish = BundleItem(Fish.pufferfish) +tuna = BundleItem(Fish.tuna) +super_cucumber = BundleItem(Fish.super_cucumber) +flounder = BundleItem(Fish.flounder) +anchovy = BundleItem(Fish.anchovy) +sardine = BundleItem(Fish.sardine) +red_mullet = BundleItem(Fish.red_mullet) +herring = BundleItem(Fish.herring) +eel = BundleItem(Fish.eel) +octopus = BundleItem(Fish.octopus) +red_snapper = BundleItem(Fish.red_snapper) +squid = BundleItem(Fish.squid) +sea_cucumber = BundleItem(Fish.sea_cucumber) +albacore = BundleItem(Fish.albacore) +halibut = BundleItem(Fish.halibut) +scorpion_carp = BundleItem(Fish.scorpion_carp) +sandfish = BundleItem(Fish.sandfish) +woodskip = BundleItem(Fish.woodskip) +lava_eel = BundleItem(Fish.lava_eel) +ice_pip = BundleItem(Fish.ice_pip) +stonefish = BundleItem(Fish.stonefish) +ghostfish = BundleItem(Fish.ghostfish) + +bouquet = BundleItem(Gift.bouquet) +wilted_bouquet = BundleItem(Gift.wilted_bouquet) +copper_bar = BundleItem(MetalBar.copper) +iron_Bar = BundleItem(MetalBar.iron) +gold_bar = BundleItem(MetalBar.gold) +iridium_bar = BundleItem(MetalBar.iridium) +refined_quartz = BundleItem(MetalBar.quartz) +coal = BundleItem(Material.coal, 5) +iridium_ore = BundleItem(Ore.iridium) +gold_ore = BundleItem(Ore.gold) +iron_ore = BundleItem(Ore.iron) +copper_ore = BundleItem(Ore.copper) +battery_pack = BundleItem(ArtisanGood.battery_pack) + +quartz = BundleItem(Mineral.quartz) +fire_quartz = BundleItem(Mineral.fire_quartz) +frozen_tear = BundleItem(Mineral.frozen_tear) +earth_crystal = BundleItem(Mineral.earth_crystal) +emerald = BundleItem(Mineral.emerald) +aquamarine = BundleItem(Mineral.aquamarine) +ruby = BundleItem(Mineral.ruby) +amethyst = BundleItem(Mineral.amethyst) +topaz = BundleItem(Mineral.topaz) +jade = BundleItem(Mineral.jade) + +slime = BundleItem(Loot.slime, 99) +bug_meat = BundleItem(Loot.bug_meat, 10) +bat_wing = BundleItem(Loot.bat_wing, 10) +solar_essence = BundleItem(Loot.solar_essence) +void_essence = BundleItem(Loot.void_essence) + +petrified_slime = BundleItem(Mineral.petrified_slime) +blue_slime_egg = BundleItem(Loot.blue_slime_egg) +red_slime_egg = BundleItem(Loot.red_slime_egg) +purple_slime_egg = BundleItem(Loot.purple_slime_egg) +green_slime_egg = BundleItem(Loot.green_slime_egg) +tiger_slime_egg = BundleItem(Loot.tiger_slime_egg, source=BundleItem.Sources.island) + +cherry_bomb = BundleItem(Bomb.cherry_bomb, 5) +bomb = BundleItem(Bomb.bomb, 2) +mega_bomb = BundleItem(Bomb.mega_bomb) +explosive_ammo = BundleItem(Craftable.explosive_ammo, 5) + +maki_roll = BundleItem(Meal.maki_roll) +fried_egg = BundleItem(Meal.fried_egg) +omelet = BundleItem(Meal.omelet) +pizza = BundleItem(Meal.pizza) +hashbrowns = BundleItem(Meal.hashbrowns) +pancakes = BundleItem(Meal.pancakes) +bread = BundleItem(Meal.bread) +tortilla = BundleItem(Meal.tortilla) +triple_shot_espresso = BundleItem(Beverage.triple_shot_espresso) +farmer_s_lunch = BundleItem(Meal.farmer_lunch) +survival_burger = BundleItem(Meal.survival_burger) +dish_o_the_sea = BundleItem(Meal.dish_o_the_sea) +miner_s_treat = BundleItem(Meal.miners_treat) +roots_platter = BundleItem(Meal.roots_platter) +salad = BundleItem(Meal.salad) +cheese_cauliflower = BundleItem(Meal.cheese_cauliflower) +parsnip_soup = BundleItem(Meal.parsnip_soup) +fried_mushroom = BundleItem(Meal.fried_mushroom) +salmon_dinner = BundleItem(Meal.salmon_dinner) +pepper_poppers = BundleItem(Meal.pepper_poppers) +spaghetti = BundleItem(Meal.spaghetti) +sashimi = BundleItem(Meal.sashimi) +blueberry_tart = BundleItem(Meal.blueberry_tart) +algae_soup = BundleItem(Meal.algae_soup) +pale_broth = BundleItem(Meal.pale_broth) +chowder = BundleItem(Meal.chowder) +cookie = BundleItem(Meal.cookie) +ancient_doll = BundleItem(Artifact.ancient_doll) +ice_cream = BundleItem(Meal.ice_cream) +cranberry_candy = BundleItem(Meal.cranberry_candy) +ginger_ale = BundleItem(Beverage.ginger_ale, source=BundleItem.Sources.island) +pink_cake = BundleItem(Meal.pink_cake) +plum_pudding = BundleItem(Meal.plum_pudding) +chocolate_cake = BundleItem(Meal.chocolate_cake) +rhubarb_pie = BundleItem(Meal.rhubarb_pie) +shrimp_cocktail = BundleItem(Meal.shrimp_cocktail) +pina_colada = BundleItem(Beverage.pina_colada, source=BundleItem.Sources.island) + +green_algae = BundleItem(WaterItem.green_algae) +white_algae = BundleItem(WaterItem.white_algae) +geode = BundleItem(Geode.geode) +frozen_geode = BundleItem(Geode.frozen) +magma_geode = BundleItem(Geode.magma) +omni_geode = BundleItem(Geode.omni) +sap = BundleItem(Material.sap) + +dwarf_scroll_1 = BundleItem(Artifact.dwarf_scroll_i) +dwarf_scroll_2 = BundleItem(Artifact.dwarf_scroll_ii) +dwarf_scroll_3 = BundleItem(Artifact.dwarf_scroll_iii) +dwarf_scroll_4 = BundleItem(Artifact.dwarf_scroll_iv) +elvish_jewelry = BundleItem(Artifact.elvish_jewelry) +ancient_drum = BundleItem(Artifact.ancient_drum) +dried_starfish = BundleItem(Fossil.dried_starfish) +bone_fragment = BundleItem(Fossil.bone_fragment) + +golden_mask = BundleItem(Artifact.golden_mask) +golden_relic = BundleItem(Artifact.golden_relic) +dwarf_gadget = BundleItem(Artifact.dwarf_gadget) +dwarvish_helm = BundleItem(Artifact.dwarvish_helm) +prehistoric_handaxe = BundleItem(Artifact.prehistoric_handaxe) +bone_flute = BundleItem(Artifact.bone_flute) +anchor = BundleItem(Artifact.anchor) +prehistoric_tool = BundleItem(Artifact.prehistoric_tool) +chicken_statue = BundleItem(Artifact.chicken_statue) +rusty_cog = BundleItem(Artifact.rusty_cog) +rusty_spur = BundleItem(Artifact.rusty_spur) +rusty_spoon = BundleItem(Artifact.rusty_spoon) +ancient_sword = BundleItem(Artifact.ancient_sword) +ornamental_fan = BundleItem(Artifact.ornamental_fan) +chipped_amphora = BundleItem(Artifact.chipped_amphora) + +prehistoric_scapula = BundleItem(Fossil.prehistoric_scapula) +prehistoric_tibia = BundleItem(Fossil.prehistoric_tibia) +prehistoric_skull = BundleItem(Fossil.prehistoric_skull) +skeletal_hand = BundleItem(Fossil.skeletal_hand) +prehistoric_rib = BundleItem(Fossil.prehistoric_rib) +prehistoric_vertebra = BundleItem(Fossil.prehistoric_vertebra) +skeletal_tail = BundleItem(Fossil.skeletal_tail) +nautilus_fossil = BundleItem(Fossil.nautilus_fossil) +amphibian_fossil = BundleItem(Fossil.amphibian_fossil) +palm_fossil = BundleItem(Fossil.palm_fossil) +trilobite = BundleItem(Fossil.trilobite) + +dinosaur_mayo = BundleItem(ArtisanGood.dinosaur_mayonnaise) +void_mayo = BundleItem(ArtisanGood.void_mayonnaise) +prismatic_shard = BundleItem(Mineral.prismatic_shard) +diamond = BundleItem(Mineral.diamond) +ancient_fruit = BundleItem(Fruit.ancient_fruit) +void_salmon = BundleItem(Fish.void_salmon) +tea_leaves = BundleItem(Vegetable.tea_leaves) +blobfish = BundleItem(Fish.blobfish) +spook_fish = BundleItem(Fish.spook_fish) +lionfish = BundleItem(Fish.lionfish, source=BundleItem.Sources.island) +blue_discus = BundleItem(Fish.blue_discus, source=BundleItem.Sources.island) +stingray = BundleItem(Fish.stingray, source=BundleItem.Sources.island) +spookfish = BundleItem(Fish.spookfish) +midnight_squid = BundleItem(Fish.midnight_squid) + +angler = BundleItem(Fish.angler) +crimsonfish = BundleItem(Fish.crimsonfish) +mutant_carp = BundleItem(Fish.mutant_carp) +glacierfish = BundleItem(Fish.glacierfish) +legend = BundleItem(Fish.legend) + +spinner = BundleItem(Fishing.spinner) +dressed_spinner = BundleItem(Fishing.dressed_spinner) +trap_bobber = BundleItem(Fishing.trap_bobber) +cork_bobber = BundleItem(Fishing.cork_bobber) +lead_bobber = BundleItem(Fishing.lead_bobber) +treasure_hunter = BundleItem(Fishing.treasure_hunter) +barbed_hook = BundleItem(Fishing.barbed_hook) +curiosity_lure = BundleItem(Fishing.curiosity_lure) +quality_bobber = BundleItem(Fishing.quality_bobber) +bait = BundleItem(Fishing.bait, 100) +magnet = BundleItem(Fishing.magnet) +wild_bait = BundleItem(Fishing.wild_bait, 10) +magic_bait = BundleItem(Fishing.magic_bait, 5, source=BundleItem.Sources.island) +pearl = BundleItem(Gift.pearl) + +ginger = BundleItem(Forageable.ginger, source=BundleItem.Sources.island) +magma_cap = BundleItem(Forageable.magma_cap, source=BundleItem.Sources.island) + +wheat_flour = BundleItem(Ingredient.wheat_flour) +sugar = BundleItem(Ingredient.sugar) +vinegar = BundleItem(Ingredient.vinegar) + +# Crafts Room +spring_foraging_items_vanilla = [wild_horseradish, daffodil, leek, dandelion] +spring_foraging_items_thematic = [*spring_foraging_items_vanilla, spring_onion, salmonberry, morel] +spring_foraging_bundle_vanilla = BundleTemplate(CCRoom.crafts_room, BundleName.spring_foraging, spring_foraging_items_vanilla, 4, 4) +spring_foraging_bundle_thematic = BundleTemplate.extend_from(spring_foraging_bundle_vanilla, spring_foraging_items_thematic) + +summer_foraging_items_vanilla = [grape, spice_berry, sweet_pea] +summer_foraging_items_thematic = [*summer_foraging_items_vanilla, fiddlehead_fern, red_mushroom, rainbow_shell] +summer_foraging_bundle_vanilla = BundleTemplate(CCRoom.crafts_room, BundleName.summer_foraging, summer_foraging_items_vanilla, 3, 3) +summer_foraging_bundle_thematic = BundleTemplate.extend_from(summer_foraging_bundle_vanilla, summer_foraging_items_thematic) + +fall_foraging_items_vanilla = [common_mushroom, wild_plum, hazelnut, blackberry] +fall_foraging_items_thematic = [*fall_foraging_items_vanilla, chanterelle] +fall_foraging_bundle_vanilla = BundleTemplate(CCRoom.crafts_room, BundleName.fall_foraging, fall_foraging_items_vanilla, 4, 4) +fall_foraging_bundle_thematic = BundleTemplate.extend_from(fall_foraging_bundle_vanilla, fall_foraging_items_thematic) + +winter_foraging_items_vanilla = [winter_root, crystal_fruit, snow_yam, crocus] +winter_foraging_items_thematic = [*winter_foraging_items_vanilla, holly, nautilus_shell] +winter_foraging_bundle_vanilla = BundleTemplate(CCRoom.crafts_room, BundleName.winter_foraging, winter_foraging_items_vanilla, 4, 4) +winter_foraging_bundle_thematic = BundleTemplate.extend_from(winter_foraging_bundle_vanilla, winter_foraging_items_thematic) + +construction_items_vanilla = [wood, stone, hardwood] +construction_items_thematic = [*construction_items_vanilla, clay, fiber, sap.as_amount(50)] +construction_bundle_vanilla = BundleTemplate(CCRoom.crafts_room, BundleName.construction, construction_items_vanilla, 4, 4) +construction_bundle_thematic = BundleTemplate.extend_from(construction_bundle_vanilla, construction_items_thematic) + +exotic_foraging_items_vanilla = [coconut, cactus_fruit, cave_carrot, red_mushroom, purple_mushroom, maple_syrup, oak_resin, pine_tar, morel] +exotic_foraging_items_thematic = [*exotic_foraging_items_vanilla, coral, sea_urchin, clam, cockle, mussel, oyster, seaweed] +exotic_foraging_bundle_vanilla = BundleTemplate(CCRoom.crafts_room, BundleName.exotic_foraging, exotic_foraging_items_vanilla, 9, 5) +exotic_foraging_bundle_thematic = BundleTemplate.extend_from(exotic_foraging_bundle_vanilla, exotic_foraging_items_thematic) + +beach_foraging_items = [nautilus_shell, coral, sea_urchin, rainbow_shell, clam, cockle, mussel, oyster, seaweed] +beach_foraging_bundle = BundleTemplate(CCRoom.crafts_room, BundleName.beach_foraging, beach_foraging_items, 4, 4) + +mines_foraging_items = [quartz, earth_crystal, frozen_tear, fire_quartz, red_mushroom, purple_mushroom, cave_carrot] +mines_foraging_bundle = BundleTemplate(CCRoom.crafts_room, BundleName.mines_foraging, mines_foraging_items, 4, 4) + +desert_foraging_items = [cactus_fruit.as_quality(ForageQuality.gold), cactus_fruit.as_amount(5), coconut.as_quality(ForageQuality.gold), coconut.as_amount(5)] +desert_foraging_bundle = BundleTemplate(CCRoom.crafts_room, BundleName.desert_foraging, desert_foraging_items, 2, 2) + +island_foraging_items = [ginger.as_amount(5), magma_cap.as_quality(ForageQuality.gold), magma_cap.as_amount(5), + fiddlehead_fern.as_quality(ForageQuality.gold), fiddlehead_fern.as_amount(5)] +island_foraging_bundle = IslandBundleTemplate(CCRoom.crafts_room, BundleName.island_foraging, island_foraging_items, 2, 2) + +sticky_items = [sap.as_amount(500), sap.as_amount(500)] +sticky_bundle = BundleTemplate(CCRoom.crafts_room, BundleName.sticky, sticky_items, 1, 1) + +wild_medicine_items = [item.as_amount(5) for item in [purple_mushroom, fiddlehead_fern, white_algae, hops, blackberry, dandelion]] +wild_medicine_bundle = BundleTemplate(CCRoom.crafts_room, BundleName.wild_medicine, wild_medicine_items, 4, 3) + +quality_foraging_items = sorted({item.as_quality(ForageQuality.gold).as_amount(1) + for item in + [*spring_foraging_items_thematic, *summer_foraging_items_thematic, *fall_foraging_items_thematic, + *winter_foraging_items_thematic, *beach_foraging_items, *desert_foraging_items, magma_cap]}) +quality_foraging_bundle = BundleTemplate(CCRoom.crafts_room, BundleName.quality_foraging, quality_foraging_items, 4, 3) + +crafts_room_bundles_vanilla = [spring_foraging_bundle_vanilla, summer_foraging_bundle_vanilla, fall_foraging_bundle_vanilla, + winter_foraging_bundle_vanilla, construction_bundle_vanilla, exotic_foraging_bundle_vanilla] +crafts_room_bundles_thematic = [spring_foraging_bundle_thematic, summer_foraging_bundle_thematic, fall_foraging_bundle_thematic, + winter_foraging_bundle_thematic, construction_bundle_thematic, exotic_foraging_bundle_thematic] +crafts_room_bundles_remixed = [*crafts_room_bundles_thematic, beach_foraging_bundle, mines_foraging_bundle, desert_foraging_bundle, + island_foraging_bundle, sticky_bundle, wild_medicine_bundle, quality_foraging_bundle] +crafts_room_vanilla = BundleRoomTemplate(CCRoom.crafts_room, crafts_room_bundles_vanilla, 6) +crafts_room_thematic = BundleRoomTemplate(CCRoom.crafts_room, crafts_room_bundles_thematic, 6) +crafts_room_remixed = BundleRoomTemplate(CCRoom.crafts_room, crafts_room_bundles_remixed, 6) + +# Pantry +spring_crops_items_vanilla = [parsnip, green_bean, cauliflower, potato] +spring_crops_items_thematic = [*spring_crops_items_vanilla, blue_jazz, coffee_bean, garlic, kale, rhubarb, strawberry, tulip, unmilled_rice] +spring_crops_bundle_vanilla = BundleTemplate(CCRoom.pantry, BundleName.spring_crops, spring_crops_items_vanilla, 4, 4) +spring_crops_bundle_thematic = BundleTemplate.extend_from(spring_crops_bundle_vanilla, spring_crops_items_thematic) + +summer_crops_items_vanilla = [tomato, hot_pepper, blueberry, melon] +summer_crops_items_thematic = [*summer_crops_items_vanilla, corn, hops, poppy, radish, red_cabbage, starfruit, summer_spangle, sunflower, wheat] +summer_crops_bundle_vanilla = BundleTemplate(CCRoom.pantry, BundleName.summer_crops, summer_crops_items_vanilla, 4, 4) +summer_crops_bundle_thematic = BundleTemplate.extend_from(summer_crops_bundle_vanilla, summer_crops_items_thematic) + +fall_crops_items_vanilla = [corn, eggplant, pumpkin, yam] +fall_crops_items_thematic = [*fall_crops_items_vanilla, amaranth, artichoke, beet, bok_choy, cranberries, fairy_rose, grape, sunflower, wheat, sweet_gem_berry] +fall_crops_bundle_vanilla = BundleTemplate(CCRoom.pantry, BundleName.fall_crops, fall_crops_items_vanilla, 4, 4) +fall_crops_bundle_thematic = BundleTemplate.extend_from(fall_crops_bundle_vanilla, fall_crops_items_thematic) + +all_crops_items = sorted({*spring_crops_items_thematic, *summer_crops_items_thematic, *fall_crops_items_thematic}) + +quality_crops_items_vanilla = [item.as_quality_crop() for item in [parsnip, melon, pumpkin, corn]] +quality_crops_items_thematic = [item.as_quality_crop() for item in all_crops_items] +quality_crops_bundle_vanilla = BundleTemplate(CCRoom.pantry, BundleName.quality_crops, quality_crops_items_vanilla, 4, 3) +quality_crops_bundle_thematic = BundleTemplate.extend_from(quality_crops_bundle_vanilla, quality_crops_items_thematic) + +animal_items_vanilla = [large_milk, large_brown_egg, large_egg, large_goat_milk, wool, duck_egg] +animal_items_thematic = [*animal_items_vanilla, egg, brown_egg, milk, goat_milk, truffle, + duck_feather, rabbit_foot, dinosaur_egg, void_egg, golden_egg, ostrich_egg] +animal_bundle_vanilla = BundleTemplate(CCRoom.pantry, BundleName.animal, animal_items_vanilla, 6, 5) +animal_bundle_thematic = BundleTemplate.extend_from(animal_bundle_vanilla, animal_items_thematic) + +artisan_items_vanilla = [truffle_oil, cloth, goat_cheese, cheese, honey, jelly, apple, apricot, orange, peach, pomegranate, cherry] +artisan_items_thematic = [*artisan_items_vanilla, beer, juice, mead, pale_ale, wine, pickles, caviar, aged_roe, coffee, green_tea, banana, mango] +artisan_bundle_vanilla = BundleTemplate(CCRoom.pantry, BundleName.artisan, artisan_items_vanilla, 12, 6) +artisan_bundle_thematic = BundleTemplate.extend_from(artisan_bundle_vanilla, artisan_items_thematic) + +rare_crops_items = [ancient_fruit, sweet_gem_berry] +rare_crops_bundle = BundleTemplate(CCRoom.pantry, BundleName.rare_crops, rare_crops_items, 2, 2) + +fish_farmer_items = [roe.as_amount(15), aged_roe.as_amount(15), squid_ink] +fish_farmer_bundle = BundleTemplate(CCRoom.pantry, BundleName.fish_farmer, fish_farmer_items, 3, 2) + +garden_items = [tulip, blue_jazz, summer_spangle, sunflower, fairy_rose, poppy, bouquet] +garden_bundle = BundleTemplate(CCRoom.pantry, BundleName.garden, garden_items, 5, 4) + +brewer_items = [mead, pale_ale, wine, juice, green_tea, beer] +brewer_bundle = BundleTemplate(CCRoom.pantry, BundleName.brewer, brewer_items, 5, 4) + +orchard_items = [apple, apricot, orange, peach, pomegranate, cherry, banana, mango] +orchard_bundle = BundleTemplate(CCRoom.pantry, BundleName.orchard, orchard_items, 6, 4) + +island_crops_items = [pineapple, taro_root, banana, mango] +island_crops_bundle = IslandBundleTemplate(CCRoom.pantry, BundleName.island_crops, island_crops_items, 3, 3) + +agronomist_items = [basic_fertilizer, quality_fertilizer, deluxe_fertilizer, + basic_retaining_soil, quality_retaining_soil, deluxe_retaining_soil, + speed_gro, deluxe_speed_gro, hyper_speed_gro, tree_fertilizer] +agronomist_bundle = BundleTemplate(CCRoom.pantry, BundleName.agronomist, agronomist_items, 4, 3) + +slime_farmer_items = [slime.as_amount(99), petrified_slime.as_amount(10), blue_slime_egg, red_slime_egg, + purple_slime_egg, green_slime_egg, tiger_slime_egg] +slime_farmer_bundle = BundleTemplate(CCRoom.pantry, BundleName.slime_farmer, slime_farmer_items, 4, 3) + +pantry_bundles_vanilla = [spring_crops_bundle_vanilla, summer_crops_bundle_vanilla, fall_crops_bundle_vanilla, + quality_crops_bundle_vanilla, animal_bundle_vanilla, artisan_bundle_vanilla] +pantry_bundles_thematic = [spring_crops_bundle_thematic, summer_crops_bundle_thematic, fall_crops_bundle_thematic, + quality_crops_bundle_thematic, animal_bundle_thematic, artisan_bundle_thematic] +pantry_bundles_remixed = [*pantry_bundles_thematic, rare_crops_bundle, fish_farmer_bundle, garden_bundle, + brewer_bundle, orchard_bundle, island_crops_bundle, agronomist_bundle, slime_farmer_bundle] +pantry_vanilla = BundleRoomTemplate(CCRoom.pantry, pantry_bundles_vanilla, 6) +pantry_thematic = BundleRoomTemplate(CCRoom.pantry, pantry_bundles_thematic, 6) +pantry_remixed = BundleRoomTemplate(CCRoom.pantry, pantry_bundles_remixed, 6) + +# Fish Tank +river_fish_items_vanilla = [sunfish, catfish, shad, tiger_trout] +river_fish_items_thematic = [*river_fish_items_vanilla, chub, rainbow_trout, lingcod, walleye, perch, pike, bream, salmon, smallmouth_bass, dorado] +river_fish_bundle_vanilla = BundleTemplate(CCRoom.fish_tank, BundleName.river_fish, river_fish_items_vanilla, 4, 4) +river_fish_bundle_thematic = BundleTemplate.extend_from(river_fish_bundle_vanilla, river_fish_items_thematic) + +lake_fish_items_vanilla = [largemouth_bass, carp, bullhead, sturgeon] +lake_fish_items_thematic = [*lake_fish_items_vanilla, chub, rainbow_trout, lingcod, walleye, perch, midnight_carp] +lake_fish_bundle_vanilla = BundleTemplate(CCRoom.fish_tank, BundleName.lake_fish, lake_fish_items_vanilla, 4, 4) +lake_fish_bundle_thematic = BundleTemplate.extend_from(lake_fish_bundle_vanilla, lake_fish_items_thematic) + +ocean_fish_items_vanilla = [sardine, tuna, red_snapper, tilapia] +ocean_fish_items_thematic = [*ocean_fish_items_vanilla, pufferfish, super_cucumber, flounder, anchovy, red_mullet, + herring, eel, octopus, squid, sea_cucumber, albacore, halibut] +ocean_fish_bundle_vanilla = BundleTemplate(CCRoom.fish_tank, BundleName.ocean_fish, ocean_fish_items_vanilla, 4, 4) +ocean_fish_bundle_thematic = BundleTemplate.extend_from(ocean_fish_bundle_vanilla, ocean_fish_items_thematic) + +night_fish_items_vanilla = [walleye, bream, eel] +night_fish_items_thematic = [*night_fish_items_vanilla, super_cucumber, squid, midnight_carp, midnight_squid] +night_fish_bundle_vanilla = BundleTemplate(CCRoom.fish_tank, BundleName.night_fish, night_fish_items_vanilla, 3, 3) +night_fish_bundle_thematic = BundleTemplate.extend_from(night_fish_bundle_vanilla, night_fish_items_thematic) + +crab_pot_items_vanilla = [lobster, crayfish, crab, cockle, mussel, shrimp, snail, periwinkle, oyster, clam] +crab_pot_trash_items = [trash, driftwood, soggy_newspaper, broken_cd, broken_glasses] +crab_pot_items_thematic = [*crab_pot_items_vanilla, *crab_pot_trash_items] +crab_pot_bundle_vanilla = BundleTemplate(CCRoom.fish_tank, BundleName.crab_pot, crab_pot_items_vanilla, 10, 5) +crab_pot_bundle_thematic = BundleTemplate.extend_from(crab_pot_bundle_vanilla, crab_pot_items_thematic) +trash_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.trash, crab_pot_trash_items, 4, 4) + +specialty_fish_items_vanilla = [pufferfish, ghostfish, sandfish, woodskip] +specialty_fish_items_thematic = [*specialty_fish_items_vanilla, scorpion_carp, eel, octopus, lava_eel, ice_pip, + stonefish, void_salmon, stingray, spookfish, midnight_squid] +specialty_fish_bundle_vanilla = BundleTemplate(CCRoom.fish_tank, BundleName.specialty_fish, specialty_fish_items_vanilla, 4, 4) +specialty_fish_bundle_thematic = BundleTemplate.extend_from(specialty_fish_bundle_vanilla, specialty_fish_items_thematic) + +spring_fish_items = [herring, halibut, shad, flounder, sunfish, sardine, catfish, anchovy, smallmouth_bass, eel, legend] +spring_fish_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.spring_fish, spring_fish_items, 4, 4) + +summer_fish_items = [tuna, pike, red_mullet, sturgeon, red_snapper, super_cucumber, tilapia, pufferfish, rainbow_trout, + octopus, dorado, halibut, shad, flounder, sunfish, crimsonfish] +summer_fish_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.summer_fish, summer_fish_items, 4, 4) + +fall_fish_items = [red_snapper, super_cucumber, tilapia, shad, sardine, catfish, anchovy, smallmouth_bass, eel, midnight_carp, + walleye, sea_cucumber, tiger_trout, albacore, salmon, angler] +fall_fish_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.fall_fish, fall_fish_items, 4, 4) + +winter_fish_items = [perch, squid, lingcod, tuna, pike, red_mullet, sturgeon, red_snapper, herring, halibut, sardine, + midnight_carp, sea_cucumber, tiger_trout, albacore, glacierfish] +winter_fish_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.winter_fish, winter_fish_items, 4, 4) + +rain_fish_items = [red_snapper, shad, catfish, eel, walleye] +rain_fish_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.rain_fish, rain_fish_items, 3, 3) + +quality_fish_items = sorted({item.as_quality(FishQuality.gold) for item in [*river_fish_items_thematic, *lake_fish_items_thematic, *ocean_fish_items_thematic]}) +quality_fish_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.quality_fish, quality_fish_items, 4, 4) + +master_fisher_items = [lava_eel, scorpion_carp, octopus, blobfish, lingcod, ice_pip, super_cucumber, stingray, void_salmon, pufferfish] +master_fisher_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.master_fisher, master_fisher_items, 4, 2) + +legendary_fish_items = [angler, legend, mutant_carp, crimsonfish, glacierfish] +legendary_fish_bundle = BundleTemplate(CCRoom.fish_tank, BundleName.legendary_fish, legendary_fish_items, 4, 2) + +island_fish_items = [lionfish, blue_discus, stingray] +island_fish_bundle = IslandBundleTemplate(CCRoom.fish_tank, BundleName.island_fish, island_fish_items, 3, 3) + +tackle_items = [spinner, dressed_spinner, trap_bobber, cork_bobber, lead_bobber, treasure_hunter, barbed_hook, curiosity_lure, quality_bobber] +tackle_bundle = IslandBundleTemplate(CCRoom.fish_tank, BundleName.tackle, tackle_items, 3, 2) + +bait_items = [bait, magnet, wild_bait, magic_bait] +bait_bundle = IslandBundleTemplate(CCRoom.fish_tank, BundleName.bait, bait_items, 2, 2) + +deep_fishing_items = [blobfish, spook_fish, midnight_squid, sea_cucumber, super_cucumber, octopus, pearl, seaweed] +deep_fishing_bundle = FestivalBundleTemplate(CCRoom.fish_tank, BundleName.deep_fishing, deep_fishing_items, 4, 3) + +fish_tank_bundles_vanilla = [river_fish_bundle_vanilla, lake_fish_bundle_vanilla, ocean_fish_bundle_vanilla, + night_fish_bundle_vanilla, crab_pot_bundle_vanilla, specialty_fish_bundle_vanilla] +fish_tank_bundles_thematic = [river_fish_bundle_thematic, lake_fish_bundle_thematic, ocean_fish_bundle_thematic, + night_fish_bundle_thematic, crab_pot_bundle_thematic, specialty_fish_bundle_thematic] +fish_tank_bundles_remixed = [*fish_tank_bundles_thematic, spring_fish_bundle, summer_fish_bundle, fall_fish_bundle, winter_fish_bundle, trash_bundle, + rain_fish_bundle, quality_fish_bundle, master_fisher_bundle, legendary_fish_bundle, tackle_bundle, bait_bundle] + +# In Remixed, the trash items are in the recycling bundle, so we don't use the thematic version of the crab pot bundle that added trash items to it +fish_tank_bundles_remixed.remove(crab_pot_bundle_thematic) +fish_tank_bundles_remixed.append(crab_pot_bundle_vanilla) +fish_tank_vanilla = BundleRoomTemplate(CCRoom.fish_tank, fish_tank_bundles_vanilla, 6) +fish_tank_thematic = BundleRoomTemplate(CCRoom.fish_tank, fish_tank_bundles_thematic, 6) +fish_tank_remixed = BundleRoomTemplate(CCRoom.fish_tank, fish_tank_bundles_remixed, 6) + +# Boiler Room +blacksmith_items_vanilla = [copper_bar, iron_Bar, gold_bar] +blacksmith_items_thematic = [*blacksmith_items_vanilla, iridium_bar, refined_quartz.as_amount(3), wilted_bouquet] +blacksmith_bundle_vanilla = BundleTemplate(CCRoom.boiler_room, BundleName.blacksmith, blacksmith_items_vanilla, 3, 3) +blacksmith_bundle_thematic = BundleTemplate.extend_from(blacksmith_bundle_vanilla, blacksmith_items_thematic) + +geologist_items_vanilla = [quartz, earth_crystal, frozen_tear, fire_quartz] +geologist_items_thematic = [*geologist_items_vanilla, emerald, aquamarine, ruby, amethyst, topaz, jade, diamond] +geologist_bundle_vanilla = BundleTemplate(CCRoom.boiler_room, BundleName.geologist, geologist_items_vanilla, 4, 4) +geologist_bundle_thematic = BundleTemplate.extend_from(geologist_bundle_vanilla, geologist_items_thematic) + +adventurer_items_vanilla = [slime, bat_wing, solar_essence, void_essence] +adventurer_items_thematic = [*adventurer_items_vanilla, bug_meat, coal, bone_fragment.as_amount(10)] +adventurer_bundle_vanilla = BundleTemplate(CCRoom.boiler_room, BundleName.adventurer, adventurer_items_vanilla, 4, 2) +adventurer_bundle_thematic = BundleTemplate.extend_from(adventurer_bundle_vanilla, adventurer_items_thematic) + +# Where to put radioactive bar? +treasure_hunter_items = [emerald, aquamarine, ruby, amethyst, topaz, jade, diamond] +treasure_hunter_bundle = BundleTemplate(CCRoom.boiler_room, BundleName.treasure_hunter, treasure_hunter_items, 6, 5) + +engineer_items = [iridium_ore.as_amount(5), battery_pack, refined_quartz.as_amount(5), diamond] +engineer_bundle = BundleTemplate(CCRoom.boiler_room, BundleName.engineer, engineer_items, 3, 3) + +demolition_items = [cherry_bomb, bomb, mega_bomb, explosive_ammo] +demolition_bundle = BundleTemplate(CCRoom.boiler_room, BundleName.demolition, demolition_items, 3, 3) + +recycling_items = [stone, coal, iron_ore, wood, cloth, refined_quartz] +recycling_bundle = BundleTemplate(CCRoom.boiler_room, BundleName.recycling, recycling_items, 4, 4) + +archaeologist_items = [golden_mask, golden_relic, ancient_drum, dwarf_gadget, dwarvish_helm, prehistoric_handaxe, bone_flute, anchor, prehistoric_tool, + chicken_statue, rusty_cog, rusty_spur, rusty_spoon, ancient_sword, ornamental_fan, elvish_jewelry, ancient_doll, chipped_amphora] +archaeologist_bundle = BundleTemplate(CCRoom.boiler_room, BundleName.archaeologist, archaeologist_items, 4, 2) + +paleontologist_items = [prehistoric_scapula, prehistoric_tibia, prehistoric_skull, skeletal_hand, prehistoric_rib, prehistoric_vertebra, skeletal_tail, + nautilus_fossil, amphibian_fossil, palm_fossil, trilobite] +paleontologist_bundle = BundleTemplate(CCRoom.boiler_room, BundleName.paleontologist, paleontologist_items, 4, 2) + +boiler_room_bundles_vanilla = [blacksmith_bundle_vanilla, geologist_bundle_vanilla, adventurer_bundle_vanilla] +boiler_room_bundles_thematic = [blacksmith_bundle_thematic, geologist_bundle_thematic, adventurer_bundle_thematic] +boiler_room_bundles_remixed = [*boiler_room_bundles_thematic, treasure_hunter_bundle, engineer_bundle, + demolition_bundle, recycling_bundle, archaeologist_bundle, paleontologist_bundle] +boiler_room_vanilla = BundleRoomTemplate(CCRoom.boiler_room, boiler_room_bundles_vanilla, 3) +boiler_room_thematic = BundleRoomTemplate(CCRoom.boiler_room, boiler_room_bundles_thematic, 3) +boiler_room_remixed = BundleRoomTemplate(CCRoom.boiler_room, boiler_room_bundles_remixed, 3) + +# Bulletin Board +chef_items_vanilla = [maple_syrup, fiddlehead_fern, truffle, poppy, maki_roll, fried_egg] +# More recipes? +chef_items_thematic = [maki_roll, fried_egg, omelet, pizza, hashbrowns, pancakes, bread, tortilla, + farmer_s_lunch, survival_burger, dish_o_the_sea, miner_s_treat, roots_platter, salad, + cheese_cauliflower, parsnip_soup, fried_mushroom, salmon_dinner, pepper_poppers, spaghetti, + sashimi, blueberry_tart, algae_soup, pale_broth, chowder] +chef_bundle_vanilla = BundleTemplate(CCRoom.bulletin_board, BundleName.chef, chef_items_vanilla, 6, 6) +chef_bundle_thematic = BundleTemplate.extend_from(chef_bundle_vanilla, chef_items_thematic) + +dye_items_vanilla = [red_mushroom, sea_urchin, sunflower, duck_feather, aquamarine, red_cabbage] dye_red_items = [cranberries, hot_pepper, radish, rhubarb, spaghetti, strawberry, tomato, tulip] dye_orange_items = [poppy, pumpkin, apricot, orange, spice_berry, winter_root] dye_yellow_items = [corn, parsnip, summer_spangle, sunflower] dye_green_items = [fiddlehead_fern, kale, artichoke, bok_choy, green_bean] dye_blue_items = [blueberry, blue_jazz, blackberry, crystal_fruit] dye_purple_items = [beet, crocus, eggplant, red_cabbage, sweet_pea] -dye_items = [dye_red_items, dye_orange_items, dye_yellow_items, dye_green_items, dye_blue_items, dye_purple_items] -field_research_items = [purple_mushroom, nautilus_shell, chub, geode, frozen_geode, magma_geode, omni_geode, - rainbow_shell, amethyst, bream, carp] -fodder_items = [wheat.as_amount(10), hay.as_amount(10), apple.as_amount(3), kale.as_amount(3), corn.as_amount(3), - green_bean.as_amount(3), potato.as_amount(3), green_algae.as_amount(5), white_algae.as_amount(3)] -enchanter_items = [oak_resin, wine, rabbit_foot, pomegranate, purple_mushroom, solar_essence, - super_cucumber, void_essence, fire_quartz, frozen_tear, jade] - -vault_2500_items = [BundleItem.money_bundle(2500)] -vault_5000_items = [BundleItem.money_bundle(5000)] -vault_10000_items = [BundleItem.money_bundle(10000)] -vault_25000_items = [BundleItem.money_bundle(25000)] - -crafts_room_bundle_items = [ - *spring_foraging_items, - *summer_foraging_items, - *fall_foraging_items, - *winter_foraging_items, - *exotic_foraging_items, - *construction_items, -] - -pantry_bundle_items = sorted({ - *spring_crop_items, - *summer_crops_items, - *fall_crops_items, - *quality_crops_items, - *animal_product_items, - *artisan_goods_items, -}) - -fish_tank_bundle_items = sorted({ - *river_fish_items, - *lake_fish_items, - *ocean_fish_items, - *night_fish_items, - *crab_pot_items, - *specialty_fish_items, -}) - -boiler_room_bundle_items = sorted({ - *blacksmith_items, - *geologist_items, - *adventurer_items, -}) - -bulletin_board_bundle_items = sorted({ - *chef_items, - *[item for dye_color_items in dye_items for item in dye_color_items], - *field_research_items, - *fodder_items, - *enchanter_items -}) - -vault_bundle_items = [ - *vault_2500_items, - *vault_5000_items, - *vault_10000_items, - *vault_25000_items, -] - -all_bundle_items_except_money = sorted({ - *crafts_room_bundle_items, - *pantry_bundle_items, - *fish_tank_bundle_items, - *boiler_room_bundle_items, - *bulletin_board_bundle_items, -}, key=lambda x: x.item.name) - -all_bundle_items = sorted({ - *crafts_room_bundle_items, - *pantry_bundle_items, - *fish_tank_bundle_items, - *boiler_room_bundle_items, - *bulletin_board_bundle_items, - *vault_bundle_items, -}, key=lambda x: x.item.name) - -all_bundle_items_by_name = {item.item.name: item for item in all_bundle_items} -all_bundle_items_by_id = {item.item.item_id: item for item in all_bundle_items} +dye_items_thematic = [dye_red_items, dye_orange_items, dye_yellow_items, dye_green_items, dye_blue_items, dye_purple_items] +dye_bundle_vanilla = BundleTemplate(CCRoom.bulletin_board, BundleName.dye, dye_items_vanilla, 6, 6) +dye_bundle_thematic = DeepBundleTemplate(CCRoom.bulletin_board, BundleName.dye, dye_items_thematic, 6, 6) + +field_research_items_vanilla = [purple_mushroom, nautilus_shell, chub, frozen_geode] +field_research_items_thematic = [*field_research_items_vanilla, geode, magma_geode, omni_geode, + rainbow_shell, amethyst, bream, carp] +field_research_bundle_vanilla = BundleTemplate(CCRoom.bulletin_board, BundleName.field_research, field_research_items_vanilla, 4, 4) +field_research_bundle_thematic = BundleTemplate.extend_from(field_research_bundle_vanilla, field_research_items_thematic) + +fodder_items_vanilla = [wheat.as_amount(10), hay.as_amount(10), apple.as_amount(3)] +fodder_items_thematic = [*fodder_items_vanilla, kale.as_amount(3), corn.as_amount(3), green_bean.as_amount(3), + potato.as_amount(3), green_algae.as_amount(5), white_algae.as_amount(3)] +fodder_bundle_vanilla = BundleTemplate(CCRoom.bulletin_board, BundleName.fodder, fodder_items_vanilla, 3, 3) +fodder_bundle_thematic = BundleTemplate.extend_from(fodder_bundle_vanilla, fodder_items_thematic) + +enchanter_items_vanilla = [oak_resin, wine, rabbit_foot, pomegranate] +enchanter_items_thematic = [*enchanter_items_vanilla, purple_mushroom, solar_essence, + super_cucumber, void_essence, fire_quartz, frozen_tear, jade] +enchanter_bundle_vanilla = BundleTemplate(CCRoom.bulletin_board, BundleName.enchanter, enchanter_items_vanilla, 4, 4) +enchanter_bundle_thematic = BundleTemplate.extend_from(enchanter_bundle_vanilla, enchanter_items_thematic) + +children_items = [salmonberry.as_amount(10), cookie, ancient_doll, ice_cream, cranberry_candy, ginger_ale, + grape.as_amount(10), pink_cake, snail, fairy_rose, plum_pudding] +children_bundle = BundleTemplate(CCRoom.bulletin_board, BundleName.children, children_items, 4, 3) + +forager_items = [salmonberry.as_amount(50), blackberry.as_amount(50), wild_plum.as_amount(20), snow_yam.as_amount(20), + common_mushroom.as_amount(20), grape.as_amount(20), spring_onion.as_amount(20)] +forager_bundle = BundleTemplate(CCRoom.bulletin_board, BundleName.forager, forager_items, 3, 2) + +home_cook_items = [egg.as_amount(10), milk.as_amount(10), wheat_flour.as_amount(100), sugar.as_amount(100), vinegar.as_amount(100), + chocolate_cake, pancakes, rhubarb_pie] +home_cook_bundle = BundleTemplate(CCRoom.bulletin_board, BundleName.home_cook, home_cook_items, 3, 3) + +bartender_items = [shrimp_cocktail, triple_shot_espresso, ginger_ale, cranberry_candy, beer, pale_ale, pina_colada] +bartender_bundle = BundleTemplate(CCRoom.bulletin_board, BundleName.bartender, bartender_items, 3, 3) + +bulletin_board_bundles_vanilla = [chef_bundle_vanilla, dye_bundle_vanilla, field_research_bundle_vanilla, fodder_bundle_vanilla, enchanter_bundle_vanilla] +bulletin_board_bundles_thematic = [chef_bundle_thematic, dye_bundle_thematic, field_research_bundle_thematic, fodder_bundle_thematic, enchanter_bundle_thematic] +bulletin_board_bundles_remixed = [*bulletin_board_bundles_thematic, children_bundle, forager_bundle, home_cook_bundle, bartender_bundle] +bulletin_board_vanilla = BundleRoomTemplate(CCRoom.bulletin_board, bulletin_board_bundles_vanilla, 5) +bulletin_board_thematic = BundleRoomTemplate(CCRoom.bulletin_board, bulletin_board_bundles_thematic, 5) +bulletin_board_remixed = BundleRoomTemplate(CCRoom.bulletin_board, bulletin_board_bundles_remixed, 5) + +missing_bundle_items_vanilla = [wine.as_quality(ArtisanQuality.silver), dinosaur_mayo, prismatic_shard, caviar, + ancient_fruit.as_quality_crop(), void_salmon.as_quality(FishQuality.gold)] +missing_bundle_items_thematic = [*missing_bundle_items_vanilla, pale_ale.as_quality(ArtisanQuality.silver), beer.as_quality(ArtisanQuality.silver), + mead.as_quality(ArtisanQuality.silver), + cheese.as_quality(ArtisanQuality.silver), goat_cheese.as_quality(ArtisanQuality.silver), void_mayo, cloth, green_tea, + truffle_oil, diamond, + sweet_gem_berry.as_quality_crop(), starfruit.as_quality_crop(), + tea_leaves.as_amount(5), lava_eel.as_quality(FishQuality.gold), scorpion_carp.as_quality(FishQuality.gold), + blobfish.as_quality(FishQuality.gold)] +missing_bundle_vanilla = BundleTemplate(CCRoom.abandoned_joja_mart, BundleName.missing_bundle, missing_bundle_items_vanilla, 6, 5) +missing_bundle_thematic = BundleTemplate.extend_from(missing_bundle_vanilla, missing_bundle_items_thematic) + +abandoned_joja_mart_bundles_vanilla = [missing_bundle_vanilla] +abandoned_joja_mart_bundles_thematic = [missing_bundle_thematic] +abandoned_joja_mart_vanilla = BundleRoomTemplate(CCRoom.abandoned_joja_mart, abandoned_joja_mart_bundles_vanilla, 1) +abandoned_joja_mart_thematic = BundleRoomTemplate(CCRoom.abandoned_joja_mart, abandoned_joja_mart_bundles_thematic, 1) +abandoned_joja_mart_remixed = abandoned_joja_mart_thematic + +# Make thematic with other currencies +vault_2500_gold = BundleItem.money_bundle(2500) +vault_5000_gold = BundleItem.money_bundle(5000) +vault_10000_gold = BundleItem.money_bundle(10000) +vault_25000_gold = BundleItem.money_bundle(25000) + +vault_2500_bundle = MoneyBundleTemplate(CCRoom.vault, vault_2500_gold) +vault_5000_bundle = MoneyBundleTemplate(CCRoom.vault, vault_5000_gold) +vault_10000_bundle = MoneyBundleTemplate(CCRoom.vault, vault_10000_gold) +vault_25000_bundle = MoneyBundleTemplate(CCRoom.vault, vault_25000_gold) + +vault_gambler_items = BundleItem(Currency.qi_coin, 10000) +vault_gambler_bundle = CurrencyBundleTemplate(CCRoom.vault, BundleName.gambler, vault_gambler_items) + +vault_carnival_items = BundleItem(Currency.star_token, 2500, source=BundleItem.Sources.festival) +vault_carnival_bundle = CurrencyBundleTemplate(CCRoom.vault, BundleName.carnival, vault_carnival_items) + +vault_walnut_hunter_items = BundleItem(Currency.golden_walnut, 25) +vault_walnut_hunter_bundle = CurrencyBundleTemplate(CCRoom.vault, BundleName.walnut_hunter, vault_walnut_hunter_items) + +vault_qi_helper_items = BundleItem(Currency.qi_gem, 25, source=BundleItem.Sources.island) +vault_qi_helper_bundle = CurrencyBundleTemplate(CCRoom.vault, BundleName.qi_helper, vault_qi_helper_items) + +vault_bundles_vanilla = [vault_2500_bundle, vault_5000_bundle, vault_10000_bundle, vault_25000_bundle] +vault_bundles_thematic = vault_bundles_vanilla +vault_bundles_remixed = [*vault_bundles_vanilla, vault_gambler_bundle, vault_qi_helper_bundle, vault_carnival_bundle] # , vault_walnut_hunter_bundle +vault_vanilla = BundleRoomTemplate(CCRoom.vault, vault_bundles_vanilla, 4) +vault_thematic = BundleRoomTemplate(CCRoom.vault, vault_bundles_thematic, 4) +vault_remixed = BundleRoomTemplate(CCRoom.vault, vault_bundles_remixed, 4) + +all_bundle_items_except_money = [] +all_remixed_bundles = [*crafts_room_bundles_remixed, *pantry_bundles_remixed, *fish_tank_bundles_remixed, + *boiler_room_bundles_remixed, *bulletin_board_bundles_remixed, missing_bundle_thematic] +for bundle in all_remixed_bundles: + all_bundle_items_except_money.extend(bundle.items) + +all_bundle_items_by_name = {item.item_name: item for item in all_bundle_items_except_money} diff --git a/worlds/stardew_valley/data/common_data.py b/worlds/stardew_valley/data/common_data.py deleted file mode 100644 index 8a2d0f5eecfc..000000000000 --- a/worlds/stardew_valley/data/common_data.py +++ /dev/null @@ -1,9 +0,0 @@ -fishing_chest = "Fishing Chest" -secret_note = "Secret Note" - -quality_dict = { - 0: "", - 1: "Silver", - 2: "Gold", - 3: "Iridium" -} diff --git a/worlds/stardew_valley/data/craftable_data.py b/worlds/stardew_valley/data/craftable_data.py new file mode 100644 index 000000000000..bfb2d25ec6b8 --- /dev/null +++ b/worlds/stardew_valley/data/craftable_data.py @@ -0,0 +1,313 @@ +from typing import Dict, List, Optional + +from ..mods.mod_data import ModNames +from .recipe_source import RecipeSource, StarterSource, QueenOfSauceSource, ShopSource, SkillSource, FriendshipSource, ShopTradeSource, CutsceneSource, \ + ArchipelagoSource, LogicSource, SpecialOrderSource, FestivalShopSource, QuestSource +from ..strings.artisan_good_names import ArtisanGood +from ..strings.craftable_names import Bomb, Fence, Sprinkler, WildSeeds, Floor, Fishing, Ring, Consumable, Edible, Lighting, Storage, Furniture, Sign, Craftable, \ + ModEdible, ModCraftable, ModMachine, ModFloor, ModConsumable +from ..strings.crop_names import Fruit, Vegetable +from ..strings.currency_names import Currency +from ..strings.fertilizer_names import Fertilizer, RetainingSoil, SpeedGro +from ..strings.fish_names import Fish, WaterItem +from ..strings.flower_names import Flower +from ..strings.food_names import Meal +from ..strings.forageable_names import Forageable, SVEForage, DistantLandsForageable +from ..strings.ingredient_names import Ingredient +from ..strings.machine_names import Machine +from ..strings.material_names import Material +from ..strings.metal_names import Ore, MetalBar, Fossil, Artifact, Mineral, ModFossil +from ..strings.monster_drop_names import Loot +from ..strings.quest_names import Quest +from ..strings.region_names import Region, SVERegion +from ..strings.seed_names import Seed, TreeSeed +from ..strings.skill_names import Skill, ModSkill +from ..strings.special_order_names import SpecialOrder +from ..strings.villager_names import NPC, ModNPC + + +class CraftingRecipe: + item: str + ingredients: Dict[str, int] + source: RecipeSource + mod_name: Optional[str] + + def __init__(self, item: str, ingredients: Dict[str, int], source: RecipeSource, mod_name: Optional[str] = None): + self.item = item + self.ingredients = ingredients + self.source = source + self.mod_name = mod_name + + def __repr__(self): + return f"{self.item} (Source: {self.source} |" \ + f" Ingredients: {self.ingredients})" + + +all_crafting_recipes: List[CraftingRecipe] = [] + + +def friendship_recipe(name: str, friend: str, hearts: int, ingredients: Dict[str, int], mod_name: Optional[str] = None) -> CraftingRecipe: + source = FriendshipSource(friend, hearts) + return create_recipe(name, ingredients, source, mod_name) + + +def cutscene_recipe(name: str, region: str, friend: str, hearts: int, ingredients: Dict[str, int]) -> CraftingRecipe: + source = CutsceneSource(region, friend, hearts) + return create_recipe(name, ingredients, source) + + +def skill_recipe(name: str, skill: str, level: int, ingredients: Dict[str, int], mod_name: Optional[str] = None) -> CraftingRecipe: + source = SkillSource(skill, level) + return create_recipe(name, ingredients, source, mod_name) + + +def shop_recipe(name: str, region: str, price: int, ingredients: Dict[str, int], mod_name: Optional[str] = None) -> CraftingRecipe: + source = ShopSource(region, price) + return create_recipe(name, ingredients, source, mod_name) + + +def festival_shop_recipe(name: str, region: str, price: int, ingredients: Dict[str, int]) -> CraftingRecipe: + source = FestivalShopSource(region, price) + return create_recipe(name, ingredients, source) + + +def shop_trade_recipe(name: str, region: str, currency: str, price: int, ingredients: Dict[str, int]) -> CraftingRecipe: + source = ShopTradeSource(region, currency, price) + return create_recipe(name, ingredients, source) + + +def queen_of_sauce_recipe(name: str, year: int, season: str, day: int, ingredients: Dict[str, int]) -> CraftingRecipe: + source = QueenOfSauceSource(year, season, day) + return create_recipe(name, ingredients, source) + + +def quest_recipe(name: str, quest: str, ingredients: Dict[str, int]) -> CraftingRecipe: + source = QuestSource(quest) + return create_recipe(name, ingredients, source) + + +def special_order_recipe(name: str, special_order: str, ingredients: Dict[str, int]) -> CraftingRecipe: + source = SpecialOrderSource(special_order) + return create_recipe(name, ingredients, source) + + +def starter_recipe(name: str, ingredients: Dict[str, int]) -> CraftingRecipe: + source = StarterSource() + return create_recipe(name, ingredients, source) + + +def ap_recipe(name: str, ingredients: Dict[str, int], ap_item: str = None) -> CraftingRecipe: + if ap_item is None: + ap_item = f"{name} Recipe" + source = ArchipelagoSource(ap_item) + return create_recipe(name, ingredients, source) + + +def cellar_recipe(name: str, ingredients: Dict[str, int]) -> CraftingRecipe: + source = LogicSource("Cellar") + return create_recipe(name, ingredients, source) + + +def create_recipe(name: str, ingredients: Dict[str, int], source: RecipeSource, mod_name: Optional[str] = None) -> CraftingRecipe: + recipe = CraftingRecipe(name, ingredients, source, mod_name) + all_crafting_recipes.append(recipe) + return recipe + + +cherry_bomb = skill_recipe(Bomb.cherry_bomb, Skill.mining, 1, {Ore.copper: 4, Material.coal: 1}) +bomb = skill_recipe(Bomb.bomb, Skill.mining, 6, {Ore.iron: 4, Material.coal: 1}) +mega_bomb = skill_recipe(Bomb.mega_bomb, Skill.mining, 8, {Ore.gold: 4, Loot.solar_essence: 1, Loot.void_essence: 1}) + +gate = starter_recipe(Fence.gate, {Material.wood: 10}) +wood_fence = starter_recipe(Fence.wood, {Material.wood: 2}) +stone_fence = skill_recipe(Fence.stone, Skill.farming, 2, {Material.stone: 2}) +iron_fence = skill_recipe(Fence.iron, Skill.farming, 4, {MetalBar.iron: 2}) +hardwood_fence = skill_recipe(Fence.hardwood, Skill.farming, 6, {Material.hardwood: 2}) + +sprinkler = skill_recipe(Sprinkler.basic, Skill.farming, 2, {MetalBar.copper: 1, MetalBar.iron: 1}) +quality_sprinkler = skill_recipe(Sprinkler.quality, Skill.farming, 6, {MetalBar.iron: 1, MetalBar.gold: 1, MetalBar.quartz: 1}) +iridium_sprinkler = skill_recipe(Sprinkler.iridium, Skill.farming, 9, {MetalBar.gold: 1, MetalBar.iridium: 1, ArtisanGood.battery_pack: 1}) + +bee_house = skill_recipe(Machine.bee_house, Skill.farming, 3, {Material.wood: 40, Material.coal: 8, MetalBar.iron: 1, ArtisanGood.maple_syrup: 1}) +cask = cellar_recipe(Machine.cask, {Material.wood: 40, Material.hardwood: 1}) +cheese_press = skill_recipe(Machine.cheese_press, Skill.farming, 6, {Material.wood: 45, Material.stone: 45, Material.hardwood: 10, MetalBar.copper: 1}) +keg = skill_recipe(Machine.keg, Skill.farming, 8, {Material.wood: 30, MetalBar.copper: 1, MetalBar.iron: 1, ArtisanGood.oak_resin: 1}) +loom = skill_recipe(Machine.loom, Skill.farming, 7, {Material.wood: 60, Material.fiber: 30, ArtisanGood.pine_tar: 1}) +mayonnaise_machine = skill_recipe(Machine.mayonnaise_machine, Skill.farming, 2, {Material.wood: 15, Material.stone: 15, Mineral.earth_crystal: 10, MetalBar.copper: 1}) +oil_maker = skill_recipe(Machine.oil_maker, Skill.farming, 8, {Loot.slime: 50, Material.hardwood: 20, MetalBar.gold: 1}) +preserves_jar = skill_recipe(Machine.preserves_jar, Skill.farming, 4, {Material.wood: 50, Material.stone: 40, Material.coal: 8}) + +basic_fertilizer = skill_recipe(Fertilizer.basic, Skill.farming, 1, {Material.sap: 2}) +quality_fertilizer = skill_recipe(Fertilizer.quality, Skill.farming, 9, {Material.sap: 2, Fish.any: 1}) +deluxe_fertilizer = ap_recipe(Fertilizer.deluxe, {MetalBar.iridium: 1, Material.sap: 40}) +basic_speed_gro = skill_recipe(SpeedGro.basic, Skill.farming, 3, {ArtisanGood.pine_tar: 1, Fish.clam: 1}) +deluxe_speed_gro = skill_recipe(SpeedGro.deluxe, Skill.farming, 8, {ArtisanGood.oak_resin: 1, WaterItem.coral: 1}) +hyper_speed_gro = ap_recipe(SpeedGro.hyper, {Ore.radioactive: 1, Fossil.bone_fragment: 3, Loot.solar_essence: 1}) +basic_retaining_soil = skill_recipe(RetainingSoil.basic, Skill.farming, 4, {Material.stone: 2}) +quality_retaining_soil = skill_recipe(RetainingSoil.quality, Skill.farming, 7, {Material.stone: 3, Material.clay: 1}) +deluxe_retaining_soil = shop_trade_recipe(RetainingSoil.deluxe, Region.island_trader, Currency.cinder_shard, 50, {Material.stone: 5, Material.fiber: 3, Material.clay: 1}) +tree_fertilizer = skill_recipe(Fertilizer.tree, Skill.foraging, 7, {Material.fiber: 5, Material.stone: 5}) + +spring_seeds = skill_recipe(WildSeeds.spring, Skill.foraging, 1, {Forageable.wild_horseradish: 1, Forageable.daffodil: 1, Forageable.leek: 1, Forageable.dandelion: 1}) +summer_seeds = skill_recipe(WildSeeds.summer, Skill.foraging, 4, {Forageable.spice_berry: 1, Fruit.grape: 1, Forageable.sweet_pea: 1}) +fall_seeds = skill_recipe(WildSeeds.fall, Skill.foraging, 6, {Forageable.common_mushroom: 1, Forageable.wild_plum: 1, Forageable.hazelnut: 1, Forageable.blackberry: 1}) +winter_seeds = skill_recipe(WildSeeds.winter, Skill.foraging, 7, {Forageable.winter_root: 1, Forageable.crystal_fruit: 1, Forageable.snow_yam: 1, Forageable.crocus: 1}) +ancient_seeds = ap_recipe(WildSeeds.ancient, {Artifact.ancient_seed: 1}) +grass_starter = shop_recipe(WildSeeds.grass_starter, Region.pierre_store, 1000, {Material.fiber: 10}) +for wild_seeds in [WildSeeds.spring, WildSeeds.summer, WildSeeds.fall, WildSeeds.winter]: + tea_sapling = cutscene_recipe(WildSeeds.tea_sapling, Region.sunroom, NPC.caroline, 2, {wild_seeds: 2, Material.fiber: 5, Material.wood: 5}) +fiber_seeds = special_order_recipe(WildSeeds.fiber, SpecialOrder.community_cleanup, {Seed.mixed: 1, Material.sap: 5, Material.clay: 1}) + +wood_floor = shop_recipe(Floor.wood, Region.carpenter, 100, {Material.wood: 1}) +rustic_floor = shop_recipe(Floor.rustic, Region.carpenter, 200, {Material.wood: 1}) +straw_floor = shop_recipe(Floor.straw, Region.carpenter, 200, {Material.wood: 1, Material.fiber: 1}) +weathered_floor = shop_recipe(Floor.weathered, Region.mines_dwarf_shop, 500, {Material.wood: 1}) +crystal_floor = shop_recipe(Floor.crystal, Region.sewer, 500, {MetalBar.quartz: 1}) +stone_floor = shop_recipe(Floor.stone, Region.carpenter, 100, {Material.stone: 1}) +stone_walkway_floor = shop_recipe(Floor.stone_walkway, Region.carpenter, 200, {Material.stone: 1}) +brick_floor = shop_recipe(Floor.brick, Region.carpenter, 500, {Material.clay: 2, Material.stone: 5}) +wood_path = starter_recipe(Floor.wood_path, {Material.wood: 1}) +gravel_path = starter_recipe(Floor.gravel_path, {Material.stone: 1}) +cobblestone_path = starter_recipe(Floor.cobblestone_path, {Material.stone: 1}) +stepping_stone_path = shop_recipe(Floor.stepping_stone_path, Region.carpenter, 100, {Material.stone: 1}) +crystal_path = shop_recipe(Floor.crystal_path, Region.carpenter, 200, {MetalBar.quartz: 1}) + +spinner = skill_recipe(Fishing.spinner, Skill.fishing, 6, {MetalBar.iron: 2}) +trap_bobber = skill_recipe(Fishing.trap_bobber, Skill.fishing, 6, {MetalBar.copper: 1, Material.sap: 10}) +cork_bobber = skill_recipe(Fishing.cork_bobber, Skill.fishing, 7, {Material.wood: 10, Material.hardwood: 5, Loot.slime: 10}) +quality_bobber = special_order_recipe(Fishing.quality_bobber, SpecialOrder.juicy_bugs_wanted, {MetalBar.copper: 1, Material.sap: 20, Loot.solar_essence: 5}) +treasure_hunter = skill_recipe(Fishing.treasure_hunter, Skill.fishing, 7, {MetalBar.gold: 2}) +dressed_spinner = skill_recipe(Fishing.dressed_spinner, Skill.fishing, 8, {MetalBar.iron: 2, ArtisanGood.cloth: 1}) +barbed_hook = skill_recipe(Fishing.barbed_hook, Skill.fishing, 8, {MetalBar.copper: 1, MetalBar.iron: 1, MetalBar.gold: 1}) +magnet = skill_recipe(Fishing.magnet, Skill.fishing, 9, {MetalBar.iron: 1}) +bait = skill_recipe(Fishing.bait, Skill.fishing, 2, {Loot.bug_meat: 1}) +wild_bait = cutscene_recipe(Fishing.wild_bait, Region.tent, NPC.linus, 4, {Material.fiber: 10, Loot.bug_meat: 5, Loot.slime: 5}) +magic_bait = ap_recipe(Fishing.magic_bait, {Ore.radioactive: 1, Loot.bug_meat: 3}) +crab_pot = skill_recipe(Machine.crab_pot, Skill.fishing, 3, {Material.wood: 40, MetalBar.iron: 3}) + +sturdy_ring = skill_recipe(Ring.sturdy_ring, Skill.combat, 1, {MetalBar.copper: 2, Loot.bug_meat: 25, Loot.slime: 25}) +warrior_ring = skill_recipe(Ring.warrior_ring, Skill.combat, 4, {MetalBar.iron: 10, Material.coal: 25, Mineral.frozen_tear: 10}) +ring_of_yoba = skill_recipe(Ring.ring_of_yoba, Skill.combat, 7, {MetalBar.gold: 5, MetalBar.iron: 5, Mineral.diamond: 1}) +thorns_ring = skill_recipe(Ring.thorns_ring, Skill.combat, 7, {Fossil.bone_fragment: 50, Material.stone: 50, MetalBar.gold: 1}) +glowstone_ring = skill_recipe(Ring.glowstone_ring, Skill.mining, 4, {Loot.solar_essence: 5, MetalBar.iron: 5}) +iridium_band = skill_recipe(Ring.iridium_band, Skill.combat, 9, {MetalBar.iridium: 5, Loot.solar_essence: 50, Loot.void_essence: 50}) +wedding_ring = shop_recipe(Ring.wedding_ring, Region.traveling_cart, 500, {MetalBar.iridium: 5, Mineral.prismatic_shard: 1}) + +field_snack = skill_recipe(Edible.field_snack, Skill.foraging, 1, {TreeSeed.acorn: 1, TreeSeed.maple: 1, TreeSeed.pine: 1}) +bug_steak = skill_recipe(Edible.bug_steak, Skill.combat, 1, {Loot.bug_meat: 10}) +life_elixir = skill_recipe(Edible.life_elixir, Skill.combat, 2, {Forageable.red_mushroom: 1, Forageable.purple_mushroom: 1, Forageable.morel: 1, Forageable.chanterelle: 1}) +oil_of_garlic = skill_recipe(Edible.oil_of_garlic, Skill.combat, 6, {Vegetable.garlic: 10, Ingredient.oil: 1}) + +monster_musk = special_order_recipe(Consumable.monster_musk, SpecialOrder.prismatic_jelly, {Loot.bat_wing: 30, Loot.slime: 30}) +fairy_dust = quest_recipe(Consumable.fairy_dust, Quest.the_pirates_wife, {Mineral.diamond: 1, Flower.fairy_rose: 1}) +warp_totem_beach = skill_recipe(Consumable.warp_totem_beach, Skill.foraging, 6, {Material.hardwood: 1, WaterItem.coral: 2, Material.fiber: 10}) +warp_totem_mountains = skill_recipe(Consumable.warp_totem_mountains, Skill.foraging, 7, {Material.hardwood: 1, MetalBar.iron: 1, Material.stone: 25}) +warp_totem_farm = skill_recipe(Consumable.warp_totem_farm, Skill.foraging, 8, {Material.hardwood: 1, ArtisanGood.honey: 1, Material.fiber: 20}) +warp_totem_desert = shop_trade_recipe(Consumable.warp_totem_desert, Region.desert, MetalBar.iridium, 10, {Material.hardwood: 2, Forageable.coconut: 1, Ore.iridium: 4}) +warp_totem_island = shop_recipe(Consumable.warp_totem_island, Region.volcano_dwarf_shop, 10000, {Material.hardwood: 5, Forageable.dragon_tooth: 1, Forageable.ginger: 1}) +rain_totem = skill_recipe(Consumable.rain_totem, Skill.foraging, 9, {Material.hardwood: 1, ArtisanGood.truffle_oil: 1, ArtisanGood.pine_tar: 5}) + +torch = starter_recipe(Lighting.torch, {Material.wood: 1, Material.sap: 2}) +campfire = starter_recipe(Lighting.campfire, {Material.stone: 10, Material.wood: 10, Material.fiber: 10}) +wooden_brazier = shop_recipe(Lighting.wooden_brazier, Region.carpenter, 250, {Material.wood: 10, Material.coal: 1, Material.fiber: 5}) +stone_brazier = shop_recipe(Lighting.stone_brazier, Region.carpenter, 400, {Material.stone: 10, Material.coal: 1, Material.fiber: 5}) +gold_brazier = shop_recipe(Lighting.gold_brazier, Region.carpenter, 1000, {MetalBar.gold: 1, Material.coal: 1, Material.fiber: 5}) +carved_brazier = shop_recipe(Lighting.carved_brazier, Region.carpenter, 2000, {Material.hardwood: 10, Material.coal: 1}) +stump_brazier = shop_recipe(Lighting.stump_brazier, Region.carpenter, 800, {Material.hardwood: 5, Material.coal: 1}) +barrel_brazier = shop_recipe(Lighting.barrel_brazier, Region.carpenter, 800, {Material.wood: 50, Loot.solar_essence: 1, Material.coal: 1}) +skull_brazier = shop_recipe(Lighting.skull_brazier, Region.carpenter, 3000, {Fossil.bone_fragment: 10}) +marble_brazier = shop_recipe(Lighting.marble_brazier, Region.carpenter, 5000, {Mineral.marble: 1, Mineral.aquamarine: 1, Material.stone: 100}) +wood_lamp_post = shop_recipe(Lighting.wood_lamp_post, Region.carpenter, 500, {Material.wood: 50, ArtisanGood.battery_pack: 1}) +iron_lamp_post = shop_recipe(Lighting.iron_lamp_post, Region.carpenter, 1000, {MetalBar.iron: 1, ArtisanGood.battery_pack: 1}) +jack_o_lantern = festival_shop_recipe(Lighting.jack_o_lantern, Region.spirit_eve, 2000, {Vegetable.pumpkin: 1, Lighting.torch: 1}) + +bone_mill = special_order_recipe(Machine.bone_mill, SpecialOrder.fragments_of_the_past, {Fossil.bone_fragment: 10, Material.clay: 3, Material.stone: 20}) +charcoal_kiln = skill_recipe(Machine.charcoal_kiln, Skill.foraging, 4, {Material.wood: 20, MetalBar.copper: 2}) +crystalarium = skill_recipe(Machine.crystalarium, Skill.mining, 9, {Material.stone: 99, MetalBar.gold: 5, MetalBar.iridium: 2, ArtisanGood.battery_pack: 1}) +furnace = skill_recipe(Machine.furnace, Skill.mining, 1, {Ore.copper: 20, Material.stone: 25}) +geode_crusher = special_order_recipe(Machine.geode_crusher, SpecialOrder.cave_patrol, {MetalBar.gold: 2, Material.stone: 50, Mineral.diamond: 1}) +heavy_tapper = ap_recipe(Machine.heavy_tapper, {Material.hardwood: 30, MetalBar.radioactive: 1}) +lightning_rod = skill_recipe(Machine.lightning_rod, Skill.foraging, 6, {MetalBar.iron: 1, MetalBar.quartz: 1, Loot.bat_wing: 5}) +ostrich_incubator = ap_recipe(Machine.ostrich_incubator, {Fossil.bone_fragment: 50, Material.hardwood: 50, Currency.cinder_shard: 20}) +recycling_machine = skill_recipe(Machine.recycling_machine, Skill.fishing, 4, {Material.wood: 25, Material.stone: 25, MetalBar.iron: 1}) +seed_maker = skill_recipe(Machine.seed_maker, Skill.farming, 9, {Material.wood: 25, Material.coal: 10, MetalBar.gold: 1}) +slime_egg_press = skill_recipe(Machine.slime_egg_press, Skill.combat, 6, {Material.coal: 25, Mineral.fire_quartz: 1, ArtisanGood.battery_pack: 1}) +slime_incubator = skill_recipe(Machine.slime_incubator, Skill.combat, 8, {MetalBar.iridium: 2, Loot.slime: 100}) +solar_panel = special_order_recipe(Machine.solar_panel, SpecialOrder.island_ingredients, {MetalBar.quartz: 10, MetalBar.iron: 5, MetalBar.gold: 5}) +tapper = skill_recipe(Machine.tapper, Skill.foraging, 3, {Material.wood: 40, MetalBar.copper: 2}) +worm_bin = skill_recipe(Machine.worm_bin, Skill.fishing, 8, {Material.hardwood: 25, MetalBar.gold: 1, MetalBar.iron: 1, Material.fiber: 50}) + +tub_o_flowers = festival_shop_recipe(Furniture.tub_o_flowers, Region.flower_dance, 2000, {Material.wood: 15, Seed.tulip: 1, Seed.jazz: 1, Seed.poppy: 1, Seed.spangle: 1}) +wicked_statue = shop_recipe(Furniture.wicked_statue, Region.sewer, 1000, {Material.stone: 25, Material.coal: 5}) +flute_block = cutscene_recipe(Furniture.flute_block, Region.carpenter, NPC.robin, 6, {Material.wood: 10, Ore.copper: 2, Material.fiber: 20}) +drum_block = cutscene_recipe(Furniture.drum_block, Region.carpenter, NPC.robin, 6, {Material.stone: 10, Ore.copper: 2, Material.fiber: 20}) + +chest = starter_recipe(Storage.chest, {Material.wood: 50}) +stone_chest = special_order_recipe(Storage.stone_chest, SpecialOrder.robins_resource_rush, {Material.stone: 50}) + +wood_sign = starter_recipe(Sign.wood, {Material.wood: 25}) +stone_sign = starter_recipe(Sign.stone, {Material.stone: 25}) +dark_sign = friendship_recipe(Sign.dark, NPC.krobus, 3, {Loot.bat_wing: 5, Fossil.bone_fragment: 5}) + +garden_pot = ap_recipe(Craftable.garden_pot, {Material.clay: 1, Material.stone: 10, MetalBar.quartz: 1}, "Greenhouse") +scarecrow = skill_recipe(Craftable.scarecrow, Skill.farming, 1, {Material.wood: 50, Material.coal: 1, Material.fiber: 20}) +deluxe_scarecrow = ap_recipe(Craftable.deluxe_scarecrow, {Material.wood: 50, Material.fiber: 40, Ore.iridium: 1}) +staircase = skill_recipe(Craftable.staircase, Skill.mining, 2, {Material.stone: 99}) +explosive_ammo = skill_recipe(Craftable.explosive_ammo, Skill.combat, 8, {MetalBar.iron: 1, Material.coal: 2}) +transmute_fe = skill_recipe(Craftable.transmute_fe, Skill.mining, 4, {MetalBar.copper: 3}) +transmute_au = skill_recipe(Craftable.transmute_au, Skill.mining, 7, {MetalBar.iron: 2}) +mini_jukebox = cutscene_recipe(Craftable.mini_jukebox, Region.saloon, NPC.gus, 5, {MetalBar.iron: 2, ArtisanGood.battery_pack: 1}) +mini_obelisk = special_order_recipe(Craftable.mini_obelisk, SpecialOrder.a_curious_substance, {Material.hardwood: 30, Loot.solar_essence: 20, MetalBar.gold: 3}) +farm_computer = special_order_recipe(Craftable.farm_computer, SpecialOrder.aquatic_overpopulation, {Artifact.dwarf_gadget: 1, ArtisanGood.battery_pack: 1, MetalBar.quartz: 10}) +hopper = ap_recipe(Craftable.hopper, {Material.hardwood: 10, MetalBar.iridium: 1, MetalBar.radioactive: 1}) +cookout_kit = skill_recipe(Craftable.cookout_kit, Skill.foraging, 9, {Material.wood: 15, Material.fiber: 10, Material.coal: 3}) + +travel_charm = shop_recipe(ModCraftable.travel_core, Region.adventurer_guild, 250, {Loot.solar_essence: 1, Loot.void_essence: 1}, ModNames.magic) +preservation_chamber = skill_recipe(ModMachine.preservation_chamber, ModSkill.archaeology, 2, {MetalBar.copper: 1, Material.wood: 15, ArtisanGood.oak_resin: 30}, + ModNames.archaeology) +preservation_chamber_h = skill_recipe(ModMachine.hardwood_preservation_chamber, ModSkill.archaeology, 7, {MetalBar.copper: 1, Material.hardwood: 15, + ArtisanGood.oak_resin: 30}, ModNames.archaeology) +grinder = skill_recipe(ModMachine.grinder, ModSkill.archaeology, 8, {Artifact.rusty_cog: 10, MetalBar.iron: 5, ArtisanGood.battery_pack: 1}, ModNames.archaeology) +ancient_battery = skill_recipe(ModMachine.ancient_battery, ModSkill.archaeology, 6, {Material.stone: 40, MetalBar.copper: 10, MetalBar.iron: 5}, + ModNames.archaeology) +glass_bazier = skill_recipe(ModCraftable.glass_bazier, ModSkill.archaeology, 1, {Artifact.glass_shards: 10}, ModNames.archaeology) +glass_path = skill_recipe(ModFloor.glass_path, ModSkill.archaeology, 1, {Artifact.glass_shards: 1}, ModNames.archaeology) +glass_fence = skill_recipe(ModCraftable.glass_fence, ModSkill.archaeology, 1, {Artifact.glass_shards: 5}, ModNames.archaeology) +bone_path = skill_recipe(ModFloor.bone_path, ModSkill.archaeology, 3, {Fossil.bone_fragment: 1}, ModNames.archaeology) +water_shifter = skill_recipe(ModCraftable.water_shifter, ModSkill.archaeology, 4, {Material.wood: 40, MetalBar.copper: 4}, ModNames.archaeology) +wooden_display = skill_recipe(ModCraftable.wooden_display, ModSkill.archaeology, 2, {Material.wood: 25}, ModNames.archaeology) +hardwood_display = skill_recipe(ModCraftable.hardwood_display, ModSkill.archaeology, 7, {Material.hardwood: 10}, ModNames.archaeology) +volcano_totem = skill_recipe(ModConsumable.volcano_totem, ModSkill.archaeology, 9, {Material.cinder_shard: 5, Artifact.rare_disc: 1, Artifact.dwarf_gadget: 1}, + ModNames.archaeology) +haste_elixir = shop_recipe(ModEdible.haste_elixir, SVERegion.alesia_shop, 35000, {Loot.void_essence: 35, SVEForage.void_soul: 5, Ingredient.sugar: 1, + Meal.spicy_eel: 1}, ModNames.sve) +hero_elixir = shop_recipe(ModEdible.hero_elixir, SVERegion.isaac_shop, 65000, {SVEForage.void_pebble: 3, SVEForage.void_soul: 5, Ingredient.oil: 1, + Loot.slime: 10}, ModNames.sve) +armor_elixir = shop_recipe(ModEdible.armor_elixir, SVERegion.alesia_shop, 50000, {Loot.solar_essence: 30, SVEForage.void_soul: 5, Ingredient.vinegar: 5, + Fossil.bone_fragment: 5}, ModNames.sve) +ginger_tincture = friendship_recipe(ModConsumable.ginger_tincture, ModNPC.goblin, 4, {DistantLandsForageable.brown_amanita: 1, Forageable.ginger: 5, + Material.cinder_shard: 1, DistantLandsForageable.swamp_herb: 1}, ModNames.distant_lands) + +neanderthal_skeleton = shop_recipe(ModCraftable.neanderthal_skeleton, Region.mines_dwarf_shop, 5000, + {ModFossil.neanderthal_skull: 1, ModFossil.neanderthal_ribs: 1, ModFossil.neanderthal_pelvis: 1, ModFossil.neanderthal_limb_bones: 1, + MetalBar.iron: 5, Material.hardwood: 10}, ModNames.boarding_house) +pterodactyl_skeleton_l = shop_recipe(ModCraftable.pterodactyl_skeleton_l, Region.mines_dwarf_shop, 5000, + {ModFossil.pterodactyl_phalange: 1, ModFossil.pterodactyl_skull: 1, ModFossil.pterodactyl_l_wing_bone: 1, + MetalBar.iron: 10, Material.hardwood: 15}, ModNames.boarding_house) +pterodactyl_skeleton_m = shop_recipe(ModCraftable.pterodactyl_skeleton_m, Region.mines_dwarf_shop, 5000, + {ModFossil.pterodactyl_phalange: 1, ModFossil.pterodactyl_vertebra: 1, ModFossil.pterodactyl_ribs: 1, + MetalBar.iron: 10, Material.hardwood: 15}, ModNames.boarding_house) +pterodactyl_skeleton_r = shop_recipe(ModCraftable.pterodactyl_skeleton_r, Region.mines_dwarf_shop, 5000, + {ModFossil.pterodactyl_phalange: 1, ModFossil.pterodactyl_claw: 1, ModFossil.pterodactyl_r_wing_bone: 1, + MetalBar.iron: 10, Material.hardwood: 15}, ModNames.boarding_house) +trex_skeleton_l = shop_recipe(ModCraftable.trex_skeleton_l, Region.mines_dwarf_shop, 5000, + {ModFossil.dinosaur_vertebra: 1, ModFossil.dinosaur_tooth: 1, ModFossil.dinosaur_skull: 1, + MetalBar.iron: 10, Material.hardwood: 15}, ModNames.boarding_house) +trex_skeleton_m = shop_recipe(ModCraftable.trex_skeleton_m, Region.mines_dwarf_shop, 5000, + {ModFossil.dinosaur_vertebra: 1, ModFossil.dinosaur_ribs: 1, ModFossil.dinosaur_claw: 1, + MetalBar.iron: 10, Material.hardwood: 15}, ModNames.boarding_house) +trex_skeleton_r = shop_recipe(ModCraftable.trex_skeleton_r, Region.mines_dwarf_shop, 5000, + {ModFossil.dinosaur_vertebra: 1, ModFossil.dinosaur_femur: 1, ModFossil.dinosaur_pelvis: 1, + MetalBar.iron: 10, Material.hardwood: 15}, ModNames.boarding_house) + +all_crafting_recipes_by_name = {recipe.item: recipe for recipe in all_crafting_recipes} diff --git a/worlds/stardew_valley/data/crops.csv b/worlds/stardew_valley/data/crops.csv index e3d2dc8256db..0bf43a76764e 100644 --- a/worlds/stardew_valley/data/crops.csv +++ b/worlds/stardew_valley/data/crops.csv @@ -1,40 +1,41 @@ -crop,farm_growth_seasons,seed,seed_seasons,seed_regions -Amaranth,Fall,Amaranth Seeds,Fall,"Pierre's General Store,JojaMart" -Artichoke,Fall,Artichoke Seeds,Fall,"Pierre's General Store,JojaMart" -Beet,Fall,Beet Seeds,Fall,Oasis -Blue Jazz,Spring,Jazz Seeds,Spring,"Pierre's General Store,JojaMart" -Blueberry,Summer,Blueberry Seeds,Summer,"Pierre's General Store,JojaMart" -Bok Choy,Fall,Bok Choy Seeds,Fall,"Pierre's General Store,JojaMart" -Cactus Fruit,,Cactus Seeds,,Oasis -Cauliflower,Spring,Cauliflower Seeds,Spring,"Pierre's General Store,JojaMart" -Coffee Bean,"Spring,Summer",Coffee Bean,"Summer,Fall","Traveling Cart" -Corn,"Summer,Fall",Corn Seeds,"Summer,Fall","Pierre's General Store,JojaMart" -Cranberries,Fall,Cranberry Seeds,Fall,"Pierre's General Store,JojaMart" -Eggplant,Fall,Eggplant Seeds,Fall,"Pierre's General Store,JojaMart" -Fairy Rose,Fall,Fairy Seeds,Fall,"Pierre's General Store,JojaMart" -Garlic,Spring,Garlic Seeds,Spring,"Pierre's General Store,JojaMart" -Grape,Fall,Grape Starter,Fall,"Pierre's General Store,JojaMart" -Green Bean,Spring,Bean Starter,Spring,"Pierre's General Store,JojaMart" -Hops,Summer,Hops Starter,Summer,"Pierre's General Store,JojaMart" -Hot Pepper,Summer,Pepper Seeds,Summer,"Pierre's General Store,JojaMart" -Kale,Spring,Kale Seeds,Spring,"Pierre's General Store,JojaMart" -Melon,Summer,Melon Seeds,Summer,"Pierre's General Store,JojaMart" -Parsnip,Spring,Parsnip Seeds,Spring,"Pierre's General Store,JojaMart" -Pineapple,Summer,Pineapple Seeds,Summer,"Island Trader" -Poppy,Summer,Poppy Seeds,Summer,"Pierre's General Store,JojaMart" -Potato,Spring,Potato Seeds,Spring,"Pierre's General Store,JojaMart" -Pumpkin,Fall,Pumpkin Seeds,Fall,"Pierre's General Store,JojaMart" -Radish,Summer,Radish Seeds,Summer,"Pierre's General Store,JojaMart" -Red Cabbage,Summer,Red Cabbage Seeds,Summer,"Pierre's General Store,JojaMart" -Rhubarb,Spring,Rhubarb Seeds,Spring,Oasis -Starfruit,Summer,Starfruit Seeds,Summer,Oasis -Strawberry,Spring,Strawberry Seeds,Spring,"Pierre's General Store,JojaMart" -Summer Spangle,Summer,Spangle Seeds,Summer,"Pierre's General Store,JojaMart" -Sunflower,"Summer,Fall",Sunflower Seeds,"Summer,Fall","Pierre's General Store,JojaMart" -Sweet Gem Berry,Fall,Rare Seed,"Spring,Summer",Traveling Cart -Taro Root,Summer,Taro Tuber,Summer,"Island Trader" -Tomato,Summer,Tomato Seeds,Summer,"Pierre's General Store,JojaMart" -Tulip,Spring,Tulip Bulb,Spring,"Pierre's General Store,JojaMart" -Unmilled Rice,Spring,Rice Shoot,Spring,"Pierre's General Store,JojaMart" -Wheat,"Summer,Fall",Wheat Seeds,"Summer,Fall","Pierre's General Store,JojaMart" -Yam,Fall,Yam Seeds,Fall,"Pierre's General Store,JojaMart" +crop,farm_growth_seasons,seed,seed_seasons,seed_regions,requires_island +Amaranth,Fall,Amaranth Seeds,Fall,"Pierre's General Store",False +Artichoke,Fall,Artichoke Seeds,Fall,"Pierre's General Store",False +Beet,Fall,Beet Seeds,Fall,Oasis,False +Blue Jazz,Spring,Jazz Seeds,Spring,"Pierre's General Store",False +Blueberry,Summer,Blueberry Seeds,Summer,"Pierre's General Store",False +Bok Choy,Fall,Bok Choy Seeds,Fall,"Pierre's General Store",False +Cactus Fruit,,Cactus Seeds,,Oasis,False +Cauliflower,Spring,Cauliflower Seeds,Spring,"Pierre's General Store",False +Coffee Bean,"Spring,Summer",Coffee Bean,"Summer,Fall","Traveling Cart",False +Corn,"Summer,Fall",Corn Seeds,"Summer,Fall","Pierre's General Store",False +Cranberries,Fall,Cranberry Seeds,Fall,"Pierre's General Store",False +Eggplant,Fall,Eggplant Seeds,Fall,"Pierre's General Store",False +Fairy Rose,Fall,Fairy Seeds,Fall,"Pierre's General Store",False +Garlic,Spring,Garlic Seeds,Spring,"Pierre's General Store",False +Grape,Fall,Grape Starter,Fall,"Pierre's General Store",False +Green Bean,Spring,Bean Starter,Spring,"Pierre's General Store",False +Hops,Summer,Hops Starter,Summer,"Pierre's General Store",False +Hot Pepper,Summer,Pepper Seeds,Summer,"Pierre's General Store",False +Kale,Spring,Kale Seeds,Spring,"Pierre's General Store",False +Melon,Summer,Melon Seeds,Summer,"Pierre's General Store",False +Parsnip,Spring,Parsnip Seeds,Spring,"Pierre's General Store",False +Pineapple,Summer,Pineapple Seeds,Summer,"Island Trader",True +Poppy,Summer,Poppy Seeds,Summer,"Pierre's General Store",False +Potato,Spring,Potato Seeds,Spring,"Pierre's General Store",False +Qi Fruit,"Spring,Summer,Fall,Winter",Qi Bean,"Spring,Summer,Fall,Winter","Qi's Walnut Room",True +Pumpkin,Fall,Pumpkin Seeds,Fall,"Pierre's General Store",False +Radish,Summer,Radish Seeds,Summer,"Pierre's General Store",False +Red Cabbage,Summer,Red Cabbage Seeds,Summer,"Pierre's General Store",False +Rhubarb,Spring,Rhubarb Seeds,Spring,Oasis,False +Starfruit,Summer,Starfruit Seeds,Summer,Oasis,False +Strawberry,Spring,Strawberry Seeds,Spring,"Pierre's General Store",False +Summer Spangle,Summer,Spangle Seeds,Summer,"Pierre's General Store",False +Sunflower,"Summer,Fall",Sunflower Seeds,"Summer,Fall","Pierre's General Store",False +Sweet Gem Berry,Fall,Rare Seed,"Spring,Summer",Traveling Cart,False +Taro Root,Summer,Taro Tuber,Summer,"Island Trader",True +Tomato,Summer,Tomato Seeds,Summer,"Pierre's General Store",False +Tulip,Spring,Tulip Bulb,Spring,"Pierre's General Store",False +Unmilled Rice,Spring,Rice Shoot,Spring,"Pierre's General Store",False +Wheat,"Summer,Fall",Wheat Seeds,"Summer,Fall","Pierre's General Store",False +Yam,Fall,Yam Seeds,Fall,"Pierre's General Store",False diff --git a/worlds/stardew_valley/data/crops_data.py b/worlds/stardew_valley/data/crops_data.py index e798235060f2..7144ccfbcf9b 100644 --- a/worlds/stardew_valley/data/crops_data.py +++ b/worlds/stardew_valley/data/crops_data.py @@ -1,5 +1,5 @@ from dataclasses import dataclass -from typing import List +from typing import Tuple from .. import data @@ -7,14 +7,15 @@ @dataclass(frozen=True) class SeedItem: name: str - seasons: List[str] - regions: List[str] + seasons: Tuple[str] + regions: Tuple[str] + requires_island: bool @dataclass(frozen=True) class CropItem: name: str - farm_growth_seasons: List[str] + farm_growth_seasons: Tuple[str] seed: SeedItem @@ -32,13 +33,14 @@ def load_crop_csv(): for item in reader: seeds.append(SeedItem(item["seed"], - [season for season in item["seed_seasons"].split(",")] - if item["seed_seasons"] else [], - [region for region in item["seed_regions"].split(",")] - if item["seed_regions"] else [])) + tuple(season for season in item["seed_seasons"].split(",")) + if item["seed_seasons"] else tuple(), + tuple(region for region in item["seed_regions"].split(",")) + if item["seed_regions"] else tuple(), + item["requires_island"] == "True")) crops.append(CropItem(item["crop"], - [season for season in item["farm_growth_seasons"].split(",")] - if item["farm_growth_seasons"] else [], + tuple(season for season in item["farm_growth_seasons"].split(",")) + if item["farm_growth_seasons"] else tuple(), seeds[-1])) return crops, seeds diff --git a/worlds/stardew_valley/data/fish_data.py b/worlds/stardew_valley/data/fish_data.py index 91a4431c6552..aeb416733950 100644 --- a/worlds/stardew_valley/data/fish_data.py +++ b/worlds/stardew_valley/data/fish_data.py @@ -1,20 +1,24 @@ from dataclasses import dataclass -from typing import List, Tuple, Union, Optional +from typing import List, Tuple, Union, Optional, Set from . import season_data as season -from .game_item import GameItem -from ..strings.region_names import Region +from ..strings.fish_names import Fish, SVEFish, DistantLandsFish +from ..strings.region_names import Region, SVERegion +from ..mods.mod_data import ModNames @dataclass(frozen=True) -class FishItem(GameItem): +class FishItem: + name: str locations: Tuple[str] seasons: Tuple[str] difficulty: int - mod_name: Optional[str] + legendary: bool + extended_family: bool + mod_name: Optional[str] = None def __repr__(self): - return f"{self.name} [{self.item_id}] (Locations: {self.locations} |" \ + return f"{self.name} (Locations: {self.locations} |" \ f" Seasons: {self.seasons} |" \ f" Difficulty: {self.difficulty}) |" \ f"Mod: {self.mod_name}" @@ -39,92 +43,149 @@ def __repr__(self): ginger_island_river = (Region.island_west,) pirate_cove = (Region.pirate_cove,) +crimson_badlands = (SVERegion.crimson_badlands,) +shearwater = (SVERegion.shearwater,) +highlands = (SVERegion.highlands_outside,) +sprite_spring = (SVERegion.sprite_spring,) +fable_reef = (SVERegion.fable_reef,) +vineyard = (SVERegion.blue_moon_vineyard,) + all_fish: List[FishItem] = [] -def create_fish(name: str, item_id: int, locations: Tuple[str, ...], seasons: Union[str, Tuple[str, ...]], - difficulty: int, mod_name: Optional[str] = None) -> FishItem: +def create_fish(name: str, locations: Tuple[str, ...], seasons: Union[str, Tuple[str, ...]], + difficulty: int, legendary: bool = False, extended_family: bool = False, mod_name: Optional[str] = None) -> FishItem: if isinstance(seasons, str): seasons = (seasons,) - fish_item = FishItem(name, item_id, locations, seasons, difficulty, mod_name) + fish_item = FishItem(name, locations, seasons, difficulty, legendary, extended_family, mod_name) all_fish.append(fish_item) return fish_item -albacore = create_fish("Albacore", 705, ocean, (season.fall, season.winter), 60) -anchovy = create_fish("Anchovy", 129, ocean, (season.spring, season.fall), 30) -blue_discus = create_fish("Blue Discus", 838, ginger_island_river, season.all_seasons, 60) -bream = create_fish("Bream", 132, town_river + forest_river, season.all_seasons, 35) -bullhead = create_fish("Bullhead", 700, mountain_lake, season.all_seasons, 46) -carp = create_fish("Carp", 142, mountain_lake + secret_woods + sewers + mutant_bug_lair, season.not_winter, 15) -catfish = create_fish("Catfish", 143, town_river + forest_river + secret_woods, (season.spring, season.fall), 75) -chub = create_fish("Chub", 702, forest_river + mountain_lake, season.all_seasons, 35) -dorado = create_fish("Dorado", 704, forest_river, season.summer, 78) -eel = create_fish("Eel", 148, ocean, (season.spring, season.fall), 70) -flounder = create_fish("Flounder", 267, ocean, (season.spring, season.summer), 50) -ghostfish = create_fish("Ghostfish", 156, mines_floor_20 + mines_floor_60, season.all_seasons, 50) -halibut = create_fish("Halibut", 708, ocean, season.not_fall, 50) -herring = create_fish("Herring", 147, ocean, (season.spring, season.winter), 25) -ice_pip = create_fish("Ice Pip", 161, mines_floor_60, season.all_seasons, 85) -largemouth_bass = create_fish("Largemouth Bass", 136, mountain_lake, season.all_seasons, 50) -lava_eel = create_fish("Lava Eel", 162, mines_floor_100, season.all_seasons, 90) -lingcod = create_fish("Lingcod", 707, town_river + forest_river + mountain_lake, season.winter, 85) -lionfish = create_fish("Lionfish", 837, ginger_island_ocean, season.all_seasons, 50) -midnight_carp = create_fish("Midnight Carp", 269, mountain_lake + forest_pond + ginger_island_river, +albacore = create_fish("Albacore", ocean, (season.fall, season.winter), 60) +anchovy = create_fish("Anchovy", ocean, (season.spring, season.fall), 30) +blue_discus = create_fish("Blue Discus", ginger_island_river, season.all_seasons, 60) +bream = create_fish("Bream", town_river + forest_river, season.all_seasons, 35) +bullhead = create_fish("Bullhead", mountain_lake, season.all_seasons, 46) +carp = create_fish(Fish.carp, mountain_lake + secret_woods + sewers + mutant_bug_lair, season.not_winter, 15) +catfish = create_fish("Catfish", town_river + forest_river + secret_woods, (season.spring, season.fall), 75) +chub = create_fish("Chub", forest_river + mountain_lake, season.all_seasons, 35) +dorado = create_fish("Dorado", forest_river, season.summer, 78) +eel = create_fish("Eel", ocean, (season.spring, season.fall), 70) +flounder = create_fish("Flounder", ocean, (season.spring, season.summer), 50) +ghostfish = create_fish("Ghostfish", mines_floor_20 + mines_floor_60, season.all_seasons, 50) +halibut = create_fish("Halibut", ocean, season.not_fall, 50) +herring = create_fish("Herring", ocean, (season.spring, season.winter), 25) +ice_pip = create_fish("Ice Pip", mines_floor_60, season.all_seasons, 85) +largemouth_bass = create_fish("Largemouth Bass", mountain_lake, season.all_seasons, 50) +lava_eel = create_fish("Lava Eel", mines_floor_100, season.all_seasons, 90) +lingcod = create_fish("Lingcod", town_river + forest_river + mountain_lake, season.winter, 85) +lionfish = create_fish("Lionfish", ginger_island_ocean, season.all_seasons, 50) +midnight_carp = create_fish("Midnight Carp", mountain_lake + forest_pond + ginger_island_river, (season.fall, season.winter), 55) -octopus = create_fish("Octopus", 149, ocean, season.summer, 95) -perch = create_fish("Perch", 141, town_river + forest_river + forest_pond + mountain_lake, season.winter, 35) -pike = create_fish("Pike", 144, town_river + forest_river + forest_pond, (season.summer, season.winter), 60) -pufferfish = create_fish("Pufferfish", 128, ocean + ginger_island_ocean, season.summer, 80) -rainbow_trout = create_fish("Rainbow Trout", 138, town_river + forest_river + mountain_lake, season.summer, 45) -red_mullet = create_fish("Red Mullet", 146, ocean, (season.summer, season.winter), 55) -red_snapper = create_fish("Red Snapper", 150, ocean, (season.summer, season.fall), 40) -salmon = create_fish("Salmon", 139, town_river + forest_river, season.fall, 50) -sandfish = create_fish("Sandfish", 164, desert, season.all_seasons, 65) -sardine = create_fish("Sardine", 131, ocean, (season.spring, season.fall, season.winter), 30) -scorpion_carp = create_fish("Scorpion Carp", 165, desert, season.all_seasons, 90) -sea_cucumber = create_fish("Sea Cucumber", 154, ocean, (season.fall, season.winter), 40) -shad = create_fish("Shad", 706, town_river + forest_river, season.not_winter, 45) -slimejack = create_fish("Slimejack", 796, mutant_bug_lair, season.all_seasons, 55) -smallmouth_bass = create_fish("Smallmouth Bass", 137, town_river + forest_river, (season.spring, season.fall), 28) -squid = create_fish("Squid", 151, ocean, season.winter, 75) -stingray = create_fish("Stingray", 836, pirate_cove, season.all_seasons, 80) -stonefish = create_fish("Stonefish", 158, mines_floor_20, season.all_seasons, 65) -sturgeon = create_fish("Sturgeon", 698, mountain_lake, (season.summer, season.winter), 78) -sunfish = create_fish("Sunfish", 145, town_river + forest_river, (season.spring, season.summer), 30) -super_cucumber = create_fish("Super Cucumber", 155, ocean + ginger_island_ocean, (season.summer, season.fall), 80) -tiger_trout = create_fish("Tiger Trout", 699, town_river + forest_river, (season.fall, season.winter), 60) -tilapia = create_fish("Tilapia", 701, ocean + ginger_island_ocean, (season.summer, season.fall), 50) +octopus = create_fish("Octopus", ocean, season.summer, 95) +perch = create_fish("Perch", town_river + forest_river + forest_pond + mountain_lake, season.winter, 35) +pike = create_fish("Pike", town_river + forest_river + forest_pond, (season.summer, season.winter), 60) +pufferfish = create_fish("Pufferfish", ocean + ginger_island_ocean, season.summer, 80) +rainbow_trout = create_fish("Rainbow Trout", town_river + forest_river + mountain_lake, season.summer, 45) +red_mullet = create_fish("Red Mullet", ocean, (season.summer, season.winter), 55) +red_snapper = create_fish("Red Snapper", ocean, (season.summer, season.fall), 40) +salmon = create_fish("Salmon", town_river + forest_river, season.fall, 50) +sandfish = create_fish("Sandfish", desert, season.all_seasons, 65) +sardine = create_fish("Sardine", ocean, (season.spring, season.fall, season.winter), 30) +scorpion_carp = create_fish("Scorpion Carp", desert, season.all_seasons, 90) +sea_cucumber = create_fish("Sea Cucumber", ocean, (season.fall, season.winter), 40) +shad = create_fish("Shad", town_river + forest_river, season.not_winter, 45) +slimejack = create_fish("Slimejack", mutant_bug_lair, season.all_seasons, 55) +smallmouth_bass = create_fish("Smallmouth Bass", town_river + forest_river, (season.spring, season.fall), 28) +squid = create_fish("Squid", ocean, season.winter, 75) +stingray = create_fish("Stingray", pirate_cove, season.all_seasons, 80) +stonefish = create_fish("Stonefish", mines_floor_20, season.all_seasons, 65) +sturgeon = create_fish("Sturgeon", mountain_lake, (season.summer, season.winter), 78) +sunfish = create_fish("Sunfish", town_river + forest_river, (season.spring, season.summer), 30) +super_cucumber = create_fish("Super Cucumber", ocean + ginger_island_ocean, (season.summer, season.fall), 80) +tiger_trout = create_fish("Tiger Trout", town_river + forest_river, (season.fall, season.winter), 60) +tilapia = create_fish("Tilapia", ocean + ginger_island_ocean, (season.summer, season.fall), 50) # Tuna has different seasons on ginger island. Should be changed when the whole fish thing is refactored -tuna = create_fish("Tuna", 130, ocean + ginger_island_ocean, (season.summer, season.winter), 70) -void_salmon = create_fish("Void Salmon", 795, witch_swamp, season.all_seasons, 80) -walleye = create_fish("Walleye", 140, town_river + forest_river + forest_pond + mountain_lake, season.fall, 45) -woodskip = create_fish("Woodskip", 734, secret_woods, season.all_seasons, 50) - -blob_fish = create_fish("Blobfish", 800, night_market, season.winter, 75) -midnight_squid = create_fish("Midnight Squid", 798, night_market, season.winter, 55) -spook_fish = create_fish("Spook Fish", 799, night_market, season.winter, 60) - -angler = create_fish("Angler", 160, town_river, season.fall, 85) -crimsonfish = create_fish("Crimsonfish", 159, ocean, season.summer, 95) -glacierfish = create_fish("Glacierfish", 775, forest_river, season.winter, 100) -legend = create_fish("Legend", 163, mountain_lake, season.spring, 110) -mutant_carp = create_fish("Mutant Carp", 682, sewers, season.all_seasons, 80) - -clam = create_fish("Clam", 372, ocean, season.all_seasons, -1) -cockle = create_fish("Cockle", 718, ocean, season.all_seasons, -1) -crab = create_fish("Crab", 717, ocean, season.all_seasons, -1) -crayfish = create_fish("Crayfish", 716, fresh_water, season.all_seasons, -1) -lobster = create_fish("Lobster", 715, ocean, season.all_seasons, -1) -mussel = create_fish("Mussel", 719, ocean, season.all_seasons, -1) -oyster = create_fish("Oyster", 723, ocean, season.all_seasons, -1) -periwinkle = create_fish("Periwinkle", 722, fresh_water, season.all_seasons, -1) -shrimp = create_fish("Shrimp", 720, ocean, season.all_seasons, -1) -snail = create_fish("Snail", 721, fresh_water, season.all_seasons, -1) - -legendary_fish = [crimsonfish, angler, legend, glacierfish, mutant_carp] +tuna = create_fish("Tuna", ocean + ginger_island_ocean, (season.summer, season.winter), 70) +void_salmon = create_fish("Void Salmon", witch_swamp, season.all_seasons, 80) +walleye = create_fish("Walleye", town_river + forest_river + forest_pond + mountain_lake, season.fall, 45) +woodskip = create_fish("Woodskip", secret_woods, season.all_seasons, 50) + +blob_fish = create_fish("Blobfish", night_market, season.winter, 75) +midnight_squid = create_fish("Midnight Squid", night_market, season.winter, 55) +spook_fish = create_fish("Spook Fish", night_market, season.winter, 60) + +angler = create_fish(Fish.angler, town_river, season.fall, 85, True, False) +crimsonfish = create_fish(Fish.crimsonfish, ocean, season.summer, 95, True, False) +glacierfish = create_fish(Fish.glacierfish, forest_river, season.winter, 100, True, False) +legend = create_fish(Fish.legend, mountain_lake, season.spring, 110, True, False) +mutant_carp = create_fish(Fish.mutant_carp, sewers, season.all_seasons, 80, True, False) + +ms_angler = create_fish(Fish.ms_angler, town_river, season.fall, 85, True, True) +son_of_crimsonfish = create_fish(Fish.son_of_crimsonfish, ocean, season.summer, 95, True, True) +glacierfish_jr = create_fish(Fish.glacierfish_jr, forest_river, season.winter, 100, True, True) +legend_ii = create_fish(Fish.legend_ii, mountain_lake, season.spring, 110, True, True) +radioactive_carp = create_fish(Fish.radioactive_carp, sewers, season.all_seasons, 80, True, True) + +baby_lunaloo = create_fish(SVEFish.baby_lunaloo, ginger_island_ocean, season.all_seasons, 15, mod_name=ModNames.sve) +bonefish = create_fish(SVEFish.bonefish, crimson_badlands, season.all_seasons, 70, mod_name=ModNames.sve) +bull_trout = create_fish(SVEFish.bull_trout, forest_river, season.not_spring, 45, mod_name=ModNames.sve) +butterfish = create_fish(SVEFish.butterfish, shearwater, season.not_winter, 75, mod_name=ModNames.sve) +clownfish = create_fish(SVEFish.clownfish, ginger_island_ocean, season.all_seasons, 45, mod_name=ModNames.sve) +daggerfish = create_fish(SVEFish.daggerfish, highlands, season.all_seasons, 50, mod_name=ModNames.sve) +frog = create_fish(SVEFish.frog, mountain_lake, (season.spring, season.summer), 70, mod_name=ModNames.sve) +gemfish = create_fish(SVEFish.gemfish, highlands, season.all_seasons, 100, mod_name=ModNames.sve) +goldenfish = create_fish(SVEFish.goldenfish, sprite_spring, season.all_seasons, 60, mod_name=ModNames.sve) +grass_carp = create_fish(SVEFish.grass_carp, secret_woods, (season.spring, season.summer), 85, mod_name=ModNames.sve) +king_salmon = create_fish(SVEFish.king_salmon, forest_river, (season.spring, season.summer), 80, mod_name=ModNames.sve) +kittyfish = create_fish(SVEFish.kittyfish, shearwater, (season.fall, season.winter), 85, mod_name=ModNames.sve) +lunaloo = create_fish(SVEFish.lunaloo, ginger_island_ocean, season.all_seasons, 70, mod_name=ModNames.sve) +meteor_carp = create_fish(SVEFish.meteor_carp, sprite_spring, season.all_seasons, 80, mod_name=ModNames.sve) +minnow = create_fish(SVEFish.minnow, town_river, season.all_seasons, 1, mod_name=ModNames.sve) +puppyfish = create_fish(SVEFish.puppyfish, shearwater, season.not_winter, 85, mod_name=ModNames.sve) +radioactive_bass = create_fish(SVEFish.radioactive_bass, sewers, season.all_seasons, 90, mod_name=ModNames.sve) +seahorse = create_fish(SVEFish.seahorse, ginger_island_ocean, season.all_seasons, 25, mod_name=ModNames.sve) +shiny_lunaloo = create_fish(SVEFish.shiny_lunaloo, ginger_island_ocean, season.all_seasons, 110, mod_name=ModNames.sve) +snatcher_worm = create_fish(SVEFish.snatcher_worm, mutant_bug_lair, season.all_seasons, 75, mod_name=ModNames.sve) +starfish = create_fish(SVEFish.starfish, ginger_island_ocean, season.all_seasons, 75, mod_name=ModNames.sve) +torpedo_trout = create_fish(SVEFish.torpedo_trout, fable_reef, season.all_seasons, 70, mod_name=ModNames.sve) +undeadfish = create_fish(SVEFish.undeadfish, crimson_badlands, season.all_seasons, 80, mod_name=ModNames.sve) +void_eel = create_fish(SVEFish.void_eel, witch_swamp, season.all_seasons, 100, mod_name=ModNames.sve) +water_grub = create_fish(SVEFish.water_grub, mutant_bug_lair, season.all_seasons, 60, mod_name=ModNames.sve) +sea_sponge = create_fish(SVEFish.sea_sponge, ginger_island_ocean, season.all_seasons, 40, mod_name=ModNames.sve) +dulse_seaweed = create_fish(SVEFish.dulse_seaweed, vineyard, season.all_seasons, 50, mod_name=ModNames.sve) + +void_minnow = create_fish(DistantLandsFish.void_minnow, witch_swamp, season.all_seasons, 15, mod_name=ModNames.distant_lands) +purple_algae = create_fish(DistantLandsFish.purple_algae, witch_swamp, season.all_seasons, 15, mod_name=ModNames.distant_lands) +swamp_leech = create_fish(DistantLandsFish.swamp_leech, witch_swamp, season.all_seasons, 15, mod_name=ModNames.distant_lands) +giant_horsehoe_crab = create_fish(DistantLandsFish.giant_horsehoe_crab, witch_swamp, season.all_seasons, 90, mod_name=ModNames.distant_lands) + + +clam = create_fish("Clam", ocean, season.all_seasons, -1) +cockle = create_fish("Cockle", ocean, season.all_seasons, -1) +crab = create_fish("Crab", ocean, season.all_seasons, -1) +crayfish = create_fish("Crayfish", fresh_water, season.all_seasons, -1) +lobster = create_fish("Lobster", ocean, season.all_seasons, -1) +mussel = create_fish("Mussel", ocean, season.all_seasons, -1) +oyster = create_fish("Oyster", ocean, season.all_seasons, -1) +periwinkle = create_fish("Periwinkle", fresh_water, season.all_seasons, -1) +shrimp = create_fish("Shrimp", ocean, season.all_seasons, -1) +snail = create_fish("Snail", fresh_water, season.all_seasons, -1) + +legendary_fish = [angler, crimsonfish, glacierfish, legend, mutant_carp] +extended_family = [ms_angler, son_of_crimsonfish, glacierfish_jr, legend_ii, radioactive_carp] special_fish = [*legendary_fish, blob_fish, lava_eel, octopus, scorpion_carp, ice_pip, super_cucumber, dorado] -island_fish = [lionfish, blue_discus, stingray] +island_fish = [lionfish, blue_discus, stingray, *extended_family] all_fish_by_name = {fish.name: fish for fish in all_fish} + + +def get_fish_for_mods(mods: Set[str]) -> List[FishItem]: + fish_for_mods = [] + for fish in all_fish: + if fish.mod_name and fish.mod_name not in mods: + continue + fish_for_mods.append(fish) + return fish_for_mods diff --git a/worlds/stardew_valley/data/game_item.py b/worlds/stardew_valley/data/game_item.py deleted file mode 100644 index cac86d527d86..000000000000 --- a/worlds/stardew_valley/data/game_item.py +++ /dev/null @@ -1,13 +0,0 @@ -from dataclasses import dataclass - - -@dataclass(frozen=True) -class GameItem: - name: str - item_id: int - - def __repr__(self): - return f"{self.name} [{self.item_id}]" - - def __lt__(self, other): - return self.name < other.name diff --git a/worlds/stardew_valley/data/items.csv b/worlds/stardew_valley/data/items.csv index 3c4ddb84156b..fdd08437f356 100644 --- a/worlds/stardew_valley/data/items.csv +++ b/worlds/stardew_valley/data/items.csv @@ -7,48 +7,46 @@ id,name,classification,groups,mod_name 19,Glittering Boulder Removed,progression,COMMUNITY_REWARD, 20,Minecarts Repair,useful,COMMUNITY_REWARD, 21,Bus Repair,progression,COMMUNITY_REWARD, -22,Movie Theater,useful,, +22,Progressive Movie Theater,progression,COMMUNITY_REWARD, 23,Stardrop,progression,, 24,Progressive Backpack,progression,, -25,Rusty Sword,progression,WEAPON, -26,Leather Boots,progression,"FOOTWEAR,MINES_FLOOR_10", -27,Work Boots,useful,"FOOTWEAR,MINES_FLOOR_10", -28,Wooden Blade,progression,"MINES_FLOOR_10,WEAPON", -29,Iron Dirk,progression,"MINES_FLOOR_10,WEAPON", -30,Wind Spire,progression,"MINES_FLOOR_10,WEAPON", -31,Femur,progression,"MINES_FLOOR_10,WEAPON", -32,Steel Smallsword,progression,"MINES_FLOOR_20,WEAPON", -33,Wood Club,progression,"MINES_FLOOR_20,WEAPON", -34,Elf Blade,progression,"MINES_FLOOR_20,WEAPON", -35,Glow Ring,useful,"MINES_FLOOR_20,RING", -36,Magnet Ring,useful,"MINES_FLOOR_20,RING", -37,Slingshot,progression,WEAPON, -38,Tundra Boots,useful,"FOOTWEAR,MINES_FLOOR_50", -39,Thermal Boots,useful,"FOOTWEAR,MINES_FLOOR_50", -40,Combat Boots,useful,"FOOTWEAR,MINES_FLOOR_50", -41,Silver Saber,progression,"MINES_FLOOR_50,WEAPON", -42,Pirate's Sword,progression,"MINES_FLOOR_50,WEAPON", -43,Crystal Dagger,progression,"MINES_FLOOR_60,WEAPON", -44,Cutlass,progression,"MINES_FLOOR_60,WEAPON", -45,Iron Edge,progression,"MINES_FLOOR_60,WEAPON", -46,Burglar's Shank,progression,"MINES_FLOOR_60,WEAPON", -47,Wood Mallet,progression,"MINES_FLOOR_60,WEAPON", -48,Master Slingshot,progression,WEAPON, -49,Firewalker Boots,useful,"FOOTWEAR,MINES_FLOOR_80", -50,Dark Boots,useful,"FOOTWEAR,MINES_FLOOR_80", -51,Claymore,progression,"MINES_FLOOR_80,WEAPON", -52,Templar's Blade,progression,"MINES_FLOOR_80,WEAPON", -53,Kudgel,progression,"MINES_FLOOR_80,WEAPON", -54,Shadow Dagger,progression,"MINES_FLOOR_80,WEAPON", -55,Obsidian Edge,progression,"MINES_FLOOR_90,WEAPON", -56,Tempered Broadsword,progression,"MINES_FLOOR_90,WEAPON", -57,Wicked Kris,progression,"MINES_FLOOR_90,WEAPON", -58,Bone Sword,progression,"MINES_FLOOR_90,WEAPON", -59,Ossified Blade,progression,"MINES_FLOOR_90,WEAPON", -60,Space Boots,useful,"FOOTWEAR,MINES_FLOOR_110", -61,Crystal Shoes,useful,"FOOTWEAR,MINES_FLOOR_110", -62,Steel Falchion,progression,"MINES_FLOOR_110,WEAPON", -63,The Slammer,progression,"MINES_FLOOR_110,WEAPON", +25,Rusty Sword,filler,"WEAPON,DEPRECATED", +26,Leather Boots,filler,"FOOTWEAR,DEPRECATED", +27,Work Boots,filler,"FOOTWEAR,DEPRECATED", +28,Wooden Blade,filler,"WEAPON,DEPRECATED", +29,Iron Dirk,filler,"WEAPON,DEPRECATED", +30,Wind Spire,filler,"WEAPON,DEPRECATED", +31,Femur,filler,"WEAPON,DEPRECATED", +32,Steel Smallsword,filler,"WEAPON,DEPRECATED", +33,Wood Club,filler,"WEAPON,DEPRECATED", +34,Elf Blade,filler,"WEAPON,DEPRECATED", +37,Slingshot,filler,"WEAPON,DEPRECATED", +38,Tundra Boots,filler,"FOOTWEAR,DEPRECATED", +39,Thermal Boots,filler,"FOOTWEAR,DEPRECATED", +40,Combat Boots,filler,"FOOTWEAR,DEPRECATED", +41,Silver Saber,filler,"WEAPON,DEPRECATED", +42,Pirate's Sword,filler,"WEAPON,DEPRECATED", +43,Crystal Dagger,filler,"WEAPON,DEPRECATED", +44,Cutlass,filler,"WEAPON,DEPRECATED", +45,Iron Edge,filler,"WEAPON,DEPRECATED", +46,Burglar's Shank,filler,"WEAPON,DEPRECATED", +47,Wood Mallet,filler,"WEAPON,DEPRECATED", +48,Master Slingshot,filler,"WEAPON,DEPRECATED", +49,Firewalker Boots,filler,"FOOTWEAR,DEPRECATED", +50,Dark Boots,filler,"FOOTWEAR,DEPRECATED", +51,Claymore,filler,"WEAPON,DEPRECATED", +52,Templar's Blade,filler,"WEAPON,DEPRECATED", +53,Kudgel,filler,"WEAPON,DEPRECATED", +54,Shadow Dagger,filler,"WEAPON,DEPRECATED", +55,Obsidian Edge,filler,"WEAPON,DEPRECATED", +56,Tempered Broadsword,filler,"WEAPON,DEPRECATED", +57,Wicked Kris,filler,"WEAPON,DEPRECATED", +58,Bone Sword,filler,"WEAPON,DEPRECATED", +59,Ossified Blade,filler,"WEAPON,DEPRECATED", +60,Space Boots,filler,"FOOTWEAR,DEPRECATED", +61,Crystal Shoes,filler,"FOOTWEAR,DEPRECATED", +62,Steel Falchion,filler,"WEAPON,DEPRECATED", +63,The Slammer,filler,"WEAPON,DEPRECATED", 64,Skull Key,progression,, 65,Progressive Hoe,progression,PROGRESSIVE_TOOLS, 66,Progressive Pickaxe,progression,PROGRESSIVE_TOOLS, @@ -63,40 +61,40 @@ id,name,classification,groups,mod_name 75,Foraging Level,progression,SKILL_LEVEL_UP, 76,Mining Level,progression,SKILL_LEVEL_UP, 77,Combat Level,progression,SKILL_LEVEL_UP, -78,Earth Obelisk,progression,, -79,Water Obelisk,progression,, -80,Desert Obelisk,progression,, -81,Island Obelisk,progression,GINGER_ISLAND, -82,Junimo Hut,useful,, -83,Gold Clock,progression,, -84,Progressive Coop,progression,, -85,Progressive Barn,progression,, -86,Well,useful,, -87,Silo,progression,, -88,Mill,progression,, -89,Progressive Shed,progression,, -90,Fish Pond,progression,, -91,Stable,useful,, -92,Slime Hutch,useful,, -93,Shipping Bin,progression,, +78,Earth Obelisk,progression,WIZARD_BUILDING, +79,Water Obelisk,progression,WIZARD_BUILDING, +80,Desert Obelisk,progression,WIZARD_BUILDING, +81,Island Obelisk,progression,"WIZARD_BUILDING,GINGER_ISLAND", +82,Junimo Hut,useful,WIZARD_BUILDING, +83,Gold Clock,progression,WIZARD_BUILDING, +84,Progressive Coop,progression,BUILDING, +85,Progressive Barn,progression,BUILDING, +86,Well,useful,BUILDING, +87,Silo,progression,BUILDING, +88,Mill,progression,BUILDING, +89,Progressive Shed,progression,BUILDING, +90,Fish Pond,progression,BUILDING, +91,Stable,useful,BUILDING, +92,Slime Hutch,progression,BUILDING, +93,Shipping Bin,progression,BUILDING, 94,Beach Bridge,progression,, -95,Adventurer's Guild,progression,, +95,Adventurer's Guild,progression,DEPRECATED, 96,Club Card,progression,, 97,Magnifying Glass,progression,, 98,Bear's Knowledge,progression,, -99,Iridium Snake Milk,progression,, +99,Iridium Snake Milk,useful,, 100,JotPK: Progressive Boots,progression,ARCADE_MACHINE_BUFFS, 101,JotPK: Progressive Gun,progression,ARCADE_MACHINE_BUFFS, 102,JotPK: Progressive Ammo,progression,ARCADE_MACHINE_BUFFS, 103,JotPK: Extra Life,progression,ARCADE_MACHINE_BUFFS, 104,JotPK: Increased Drop Rate,progression,ARCADE_MACHINE_BUFFS, 105,Junimo Kart: Extra Life,progression,ARCADE_MACHINE_BUFFS, -106,Galaxy Sword,progression,"GALAXY_WEAPONS,WEAPON", -107,Galaxy Dagger,progression,"GALAXY_WEAPONS,WEAPON", -108,Galaxy Hammer,progression,"GALAXY_WEAPONS,WEAPON", +106,Galaxy Sword,filler,"WEAPON,DEPRECATED", +107,Galaxy Dagger,filler,"WEAPON,DEPRECATED", +108,Galaxy Hammer,filler,"WEAPON,DEPRECATED", 109,Movement Speed Bonus,progression,, 110,Luck Bonus,progression,, -111,Lava Katana,progression,"MINES_FLOOR_110,WEAPON", +111,Lava Katana,filler,"WEAPON,DEPRECATED", 112,Progressive House,progression,, 113,Traveling Merchant: Sunday,progression,TRAVELING_MERCHANT_DAY, 114,Traveling Merchant: Monday,progression,TRAVELING_MERCHANT_DAY, @@ -105,8 +103,8 @@ id,name,classification,groups,mod_name 117,Traveling Merchant: Thursday,progression,TRAVELING_MERCHANT_DAY, 118,Traveling Merchant: Friday,progression,TRAVELING_MERCHANT_DAY, 119,Traveling Merchant: Saturday,progression,TRAVELING_MERCHANT_DAY, -120,Traveling Merchant Stock Size,progression,, -121,Traveling Merchant Discount,progression,, +120,Traveling Merchant Stock Size,useful,, +121,Traveling Merchant Discount,useful,, 122,Return Scepter,useful,, 123,Progressive Season,progression,, 124,Spring,progression,SEASON, @@ -223,7 +221,7 @@ id,name,classification,groups,mod_name 235,Quality Bobber Recipe,progression,SPECIAL_ORDER_BOARD, 236,Mini-Obelisk Recipe,progression,SPECIAL_ORDER_BOARD, 237,Monster Musk Recipe,progression,SPECIAL_ORDER_BOARD, -239,Sewing Machine,progression,"RESOURCE_PACK_USEFUL,SPECIAL_ORDER_BOARD", +239,Sewing Machine,useful,"RESOURCE_PACK_USEFUL,SPECIAL_ORDER_BOARD", 240,Coffee Maker,progression,"RESOURCE_PACK_USEFUL,SPECIAL_ORDER_BOARD", 241,Mini-Fridge,useful,"RESOURCE_PACK_USEFUL,SPECIAL_ORDER_BOARD", 242,Mini-Shipping Bin,progression,"RESOURCE_PACK_USEFUL,SPECIAL_ORDER_BOARD", @@ -245,7 +243,7 @@ id,name,classification,groups,mod_name 258,Banana Sapling,progression,"GINGER_ISLAND,RESOURCE_PACK,RESOURCE_PACK_USEFUL,CROPSANITY", 259,Mango Sapling,progression,"GINGER_ISLAND,RESOURCE_PACK,RESOURCE_PACK_USEFUL,CROPSANITY", 260,Boat Repair,progression,GINGER_ISLAND, -261,Open Professor Snail Cave,progression,"GINGER_ISLAND", +261,Open Professor Snail Cave,progression,GINGER_ISLAND, 262,Island North Turtle,progression,"GINGER_ISLAND,WALNUT_PURCHASE", 263,Island West Turtle,progression,"GINGER_ISLAND,WALNUT_PURCHASE", 264,Island Farmhouse,progression,"GINGER_ISLAND,WALNUT_PURCHASE", @@ -254,42 +252,216 @@ id,name,classification,groups,mod_name 267,Dig Site Bridge,progression,"GINGER_ISLAND,WALNUT_PURCHASE", 268,Island Trader,progression,"GINGER_ISLAND,WALNUT_PURCHASE", 269,Volcano Bridge,progression,"GINGER_ISLAND,WALNUT_PURCHASE", -270,Volcano Exit Shortcut,progression,"GINGER_ISLAND,WALNUT_PURCHASE", +270,Volcano Exit Shortcut,useful,"GINGER_ISLAND,WALNUT_PURCHASE", 271,Island Resort,progression,"GINGER_ISLAND,WALNUT_PURCHASE", 272,Parrot Express,progression,"GINGER_ISLAND,WALNUT_PURCHASE", 273,Qi Walnut Room,progression,"GINGER_ISLAND,WALNUT_PURCHASE", 274,Pineapple Seeds,progression,"GINGER_ISLAND,CROPSANITY", 275,Taro Tuber,progression,"GINGER_ISLAND,CROPSANITY", -276,Weather Report,useful,"TV_CHANNEL", -277,Fortune Teller,useful,"TV_CHANNEL", -278,Livin' Off The Land,useful,"TV_CHANNEL", -279,The Queen of Sauce,progression,"TV_CHANNEL", -280,Fishing Information Broadcasting Service,useful,"TV_CHANNEL", -281,Sinister Signal,useful,"TV_CHANNEL", +276,Weather Report,useful,TV_CHANNEL, +277,Fortune Teller,useful,TV_CHANNEL, +278,Livin' Off The Land,useful,TV_CHANNEL, +279,The Queen of Sauce,progression,TV_CHANNEL, +280,Fishing Information Broadcasting Service,useful,TV_CHANNEL, +281,Sinister Signal,filler,TV_CHANNEL, 282,Dark Talisman,progression,, -283,Ostrich Incubator Recipe,progression,"GINGER_ISLAND", -284,Cute Baby,progression,"BABY", -285,Ugly Baby,progression,"BABY", -286,Deluxe Scarecrow Recipe,progression,"FESTIVAL,RARECROW", -287,Treehouse,progression,"GINGER_ISLAND", +283,Ostrich Incubator Recipe,progression,GINGER_ISLAND, +284,Cute Baby,progression,BABY, +285,Ugly Baby,progression,BABY, +286,Deluxe Scarecrow Recipe,progression,RARECROW, +287,Treehouse,progression,GINGER_ISLAND, 288,Coffee Bean,progression,CROPSANITY, -4001,Burnt,trap,TRAP, -4002,Darkness,trap,TRAP, -4003,Frozen,trap,TRAP, -4004,Jinxed,trap,TRAP, -4005,Nauseated,trap,TRAP, -4006,Slimed,trap,TRAP, -4007,Weakness,trap,TRAP, -4008,Taxes,trap,TRAP, -4009,Random Teleport,trap,TRAP, -4010,The Crows,trap,TRAP, -4011,Monsters,trap,TRAP, -4012,Entrance Reshuffle,trap,"TRAP,DEPRECATED", -4013,Debris,trap,TRAP, -4014,Shuffle,trap,TRAP, -4015,Temporary Winter,trap,"TRAP,DEPRECATED", -4016,Pariah,trap,TRAP, -4017,Drought,trap,TRAP, +289,Progressive Weapon,progression,"WEAPON,WEAPON_GENERIC", +290,Progressive Sword,progression,"WEAPON,WEAPON_SWORD", +291,Progressive Club,progression,"WEAPON,WEAPON_CLUB", +292,Progressive Dagger,progression,"WEAPON,WEAPON_DAGGER", +293,Progressive Slingshot,progression,"WEAPON,WEAPON_SLINGSHOT", +294,Progressive Footwear,useful,FOOTWEAR, +295,Small Glow Ring,filler,"RING,RESOURCE_PACK,MAXIMUM_ONE", +296,Glow Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +297,Small Magnet Ring,filler,"RING,RESOURCE_PACK,MAXIMUM_ONE", +298,Magnet Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +299,Slime Charmer Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +300,Warrior Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +301,Vampire Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +302,Savage Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +303,Ring of Yoba,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +304,Sturdy Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +305,Burglar's Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +306,Iridium Band,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +307,Jukebox Ring,filler,"RING,RESOURCE_PACK,MAXIMUM_ONE", +308,Amethyst Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +309,Topaz Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +310,Aquamarine Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +311,Jade Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +312,Emerald Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +313,Ruby Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +314,Wedding Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +315,Crabshell Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +316,Napalm Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +317,Thorns Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +318,Lucky Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +319,Hot Java Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +320,Protection Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +321,Soul Sapper Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +322,Phoenix Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +323,Immunity Band,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +324,Glowstone Ring,useful,"RING,RESOURCE_PACK,MAXIMUM_ONE", +325,Fairy Dust Recipe,progression,, +326,Heavy Tapper Recipe,progression,"QI_CRAFTING_RECIPE,GINGER_ISLAND", +327,Hyper Speed-Gro Recipe,progression,"QI_CRAFTING_RECIPE,GINGER_ISLAND", +328,Deluxe Fertilizer Recipe,progression,QI_CRAFTING_RECIPE, +329,Hopper Recipe,progression,"QI_CRAFTING_RECIPE,GINGER_ISLAND", +330,Magic Bait Recipe,progression,"QI_CRAFTING_RECIPE,GINGER_ISLAND", +331,Jack-O-Lantern Recipe,progression,FESTIVAL, +333,Tub o' Flowers Recipe,progression,FESTIVAL, +335,Moonlight Jellies Banner,filler,FESTIVAL, +336,Starport Decal,filler,FESTIVAL, +337,Golden Egg,progression,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", +340,Algae Soup Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +341,Artichoke Dip Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +342,Autumn's Bounty Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +343,Baked Fish Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +344,Banana Pudding Recipe,progression,"CHEFSANITY,GINGER_ISLAND,CHEFSANITY_PURCHASE", +345,Bean Hotpot Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +346,Blackberry Cobbler Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +347,Blueberry Tart Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +348,Bread Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_FRIENDSHIP,CHEFSANITY_PURCHASE", +349,Bruschetta Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +350,Carp Surprise Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +351,Cheese Cauliflower Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +352,Chocolate Cake Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +353,Chowder Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +354,Coleslaw Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +355,Complete Breakfast Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +356,Cookies Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +357,Crab Cakes Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +358,Cranberry Candy Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +359,Cranberry Sauce Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +360,Crispy Bass Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +361,Dish O' The Sea Recipe,progression,"CHEFSANITY,CHEFSANITY_SKILL", +362,Eggplant Parmesan Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +363,Escargot Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +364,Farmer's Lunch Recipe,progression,"CHEFSANITY,CHEFSANITY_SKILL", +365,Fiddlehead Risotto Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +366,Fish Stew Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +367,Fish Taco Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +368,Fried Calamari Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +369,Fried Eel Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +370,Fried Egg Recipe,progression,CHEFSANITY_STARTER, +371,Fried Mushroom Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +372,Fruit Salad Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +373,Ginger Ale Recipe,progression,"CHEFSANITY,GINGER_ISLAND,CHEFSANITY_PURCHASE", +374,Glazed Yams Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +375,Hashbrowns Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +376,Ice Cream Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +377,Lobster Bisque Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_FRIENDSHIP", +378,Lucky Lunch Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +379,Maki Roll Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +380,Mango Sticky Rice Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP,GINGER_ISLAND", +381,Maple Bar Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +382,Miner's Treat Recipe,progression,"CHEFSANITY,CHEFSANITY_SKILL", +383,Omelet Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +384,Pale Broth Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +385,Pancakes Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +386,Parsnip Soup Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +387,Pepper Poppers Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +388,Pink Cake Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +389,Pizza Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +390,Plum Pudding Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +391,Poi Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP,GINGER_ISLAND", +392,Poppyseed Muffin Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +393,Pumpkin Pie Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +394,Pumpkin Soup Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +395,Radish Salad Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +396,Red Plate Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +397,Rhubarb Pie Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +398,Rice Pudding Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +399,Roasted Hazelnuts Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +400,Roots Platter Recipe,progression,"CHEFSANITY,CHEFSANITY_SKILL", +401,Salad Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +402,Salmon Dinner Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +403,Sashimi Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +404,Seafoam Pudding Recipe,progression,"CHEFSANITY,CHEFSANITY_SKILL", +405,Shrimp Cocktail Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +406,Spaghetti Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +407,Spicy Eel Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +408,Squid Ink Ravioli Recipe,progression,"CHEFSANITY,CHEFSANITY_SKILL", +409,Stir Fry Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +410,Strange Bun Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +411,Stuffing Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +412,Super Meal Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +413,Survival Burger Recipe,progression,"CHEFSANITY,CHEFSANITY_SKILL", +414,Tom Kha Soup Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +415,Tortilla Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +416,Triple Shot Espresso Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE", +417,Tropical Curry Recipe,progression,"CHEFSANITY,GINGER_ISLAND,CHEFSANITY_PURCHASE", +418,Trout Soup Recipe,progression,"CHEFSANITY,CHEFSANITY_QOS", +419,Vegetable Medley Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +425,Gate Recipe,progression,CRAFTSANITY, +426,Wood Fence Recipe,progression,CRAFTSANITY, +427,Deluxe Retaining Soil Recipe,progression,"CRAFTSANITY,GINGER_ISLAND", +428,Grass Starter Recipe,progression,CRAFTSANITY, +429,Wood Floor Recipe,progression,CRAFTSANITY, +430,Rustic Plank Floor Recipe,progression,CRAFTSANITY, +431,Straw Floor Recipe,progression,CRAFTSANITY, +432,Weathered Floor Recipe,progression,CRAFTSANITY, +433,Crystal Floor Recipe,progression,CRAFTSANITY, +434,Stone Floor Recipe,progression,CRAFTSANITY, +435,Stone Walkway Floor Recipe,progression,CRAFTSANITY, +436,Brick Floor Recipe,progression,CRAFTSANITY, +437,Wood Path Recipe,progression,CRAFTSANITY, +438,Gravel Path Recipe,progression,CRAFTSANITY, +439,Cobblestone Path Recipe,progression,CRAFTSANITY, +440,Stepping Stone Path Recipe,progression,CRAFTSANITY, +441,Crystal Path Recipe,progression,CRAFTSANITY, +442,Wedding Ring Recipe,progression,CRAFTSANITY, +443,Warp Totem: Desert Recipe,progression,CRAFTSANITY, +444,Warp Totem: Island Recipe,progression,"CRAFTSANITY,GINGER_ISLAND", +445,Torch Recipe,progression,CRAFTSANITY, +446,Campfire Recipe,progression,CRAFTSANITY, +447,Wooden Brazier Recipe,progression,CRAFTSANITY, +448,Stone Brazier Recipe,progression,CRAFTSANITY, +449,Gold Brazier Recipe,progression,CRAFTSANITY, +450,Carved Brazier Recipe,progression,CRAFTSANITY, +451,Stump Brazier Recipe,progression,CRAFTSANITY, +452,Barrel Brazier Recipe,progression,CRAFTSANITY, +453,Skull Brazier Recipe,progression,CRAFTSANITY, +454,Marble Brazier Recipe,progression,CRAFTSANITY, +455,Wood Lamp-post Recipe,progression,CRAFTSANITY, +456,Iron Lamp-post Recipe,progression,CRAFTSANITY, +458,Wicked Statue Recipe,progression,CRAFTSANITY, +459,Chest Recipe,progression,CRAFTSANITY, +460,Wood Sign Recipe,progression,CRAFTSANITY, +461,Stone Sign Recipe,progression,CRAFTSANITY, +469,Railroad Boulder Removed,progression,, +470,Fruit Bats,progression,, +471,Mushroom Boxes,progression,, +4001,Burnt Trap,trap,TRAP, +4002,Darkness Trap,trap,TRAP, +4003,Frozen Trap,trap,TRAP, +4004,Jinxed Trap,trap,TRAP, +4005,Nauseated Trap,trap,TRAP, +4006,Slimed Trap,trap,TRAP, +4007,Weakness Trap,trap,TRAP, +4008,Taxes Trap,trap,TRAP, +4009,Random Teleport Trap,trap,TRAP, +4010,The Crows Trap,trap,TRAP, +4011,Monsters Trap,trap,TRAP, +4012,Entrance Reshuffle Trap,trap,"TRAP,DEPRECATED", +4013,Debris Trap,trap,TRAP, +4014,Shuffle Trap,trap,TRAP, +4015,Temporary Winter Trap,trap,"TRAP,DEPRECATED", +4016,Pariah Trap,trap,TRAP, +4017,Drought Trap,trap,TRAP, +4018,Time Flies Trap,trap,TRAP, +4019,Babies Trap,trap,TRAP, +4020,Meow Trap,trap,TRAP, +4021,Bark Trap,trap,TRAP, +4022,Depression Trap,trap,"TRAP,DEPRECATED", +4023,Benjamin Budton Trap,trap,TRAP, +4024,Inflation Trap,trap,TRAP, +4025,Bomb Trap,trap,TRAP, 5000,Resource Pack: 500 Money,useful,"BASE_RESOURCE,RESOURCE_PACK", 5001,Resource Pack: 1000 Money,useful,"BASE_RESOURCE,RESOURCE_PACK", 5002,Resource Pack: 1500 Money,useful,"BASE_RESOURCE,RESOURCE_PACK", @@ -336,12 +508,12 @@ id,name,classification,groups,mod_name 5043,Resource Pack: 7 Warp Totem: Farm,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", 5044,Resource Pack: 9 Warp Totem: Farm,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", 5045,Resource Pack: 10 Warp Totem: Farm,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", -5046,Resource Pack: 1 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", -5047,Resource Pack: 3 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", -5048,Resource Pack: 5 Warp Totem: Island,filler,"RESOURCE_PACK,WARP_TOTEM", -5049,Resource Pack: 7 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", -5050,Resource Pack: 9 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", -5051,Resource Pack: 10 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", +5046,Resource Pack: 1 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM,GINGER_ISLAND", +5047,Resource Pack: 3 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM,GINGER_ISLAND", +5048,Resource Pack: 5 Warp Totem: Island,filler,"RESOURCE_PACK,WARP_TOTEM,GINGER_ISLAND", +5049,Resource Pack: 7 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM,GINGER_ISLAND", +5050,Resource Pack: 9 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM,GINGER_ISLAND", +5051,Resource Pack: 10 Warp Totem: Island,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM,GINGER_ISLAND", 5052,Resource Pack: 1 Warp Totem: Mountains,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", 5053,Resource Pack: 3 Warp Totem: Mountains,filler,"DEPRECATED,RESOURCE_PACK,WARP_TOTEM", 5054,Resource Pack: 5 Warp Totem: Mountains,filler,"RESOURCE_PACK,WARP_TOTEM", @@ -492,7 +664,7 @@ id,name,classification,groups,mod_name 5199,Friendship Bonus (2 <3),useful,"FRIENDSHIP_PACK,COMMUNITY_REWARD", 5200,Friendship Bonus (3 <3),useful,"DEPRECATED,FRIENDSHIP_PACK,RESOURCE_PACK", 5201,Friendship Bonus (4 <3),useful,"DEPRECATED,FRIENDSHIP_PACK,RESOURCE_PACK", -5202,30 Qi Gems,useful,"GINGER_ISLAND,RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5202,15 Qi Gems,progression,"GINGER_ISLAND,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5203,Solar Panel,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5204,Geode Crusher,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5205,Farm Computer,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", @@ -507,36 +679,29 @@ id,name,classification,groups,mod_name 5214,Quality Sprinkler,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5215,Iridium Sprinkler,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5216,Scarecrow,filler,RESOURCE_PACK, -5217,Deluxe Scarecrow,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5217,Deluxe Scarecrow,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5218,Furnace,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5219,Charcoal Kiln,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5220,Lightning Rod,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5221,Resource Pack: 5000 Money,useful,"BASE_RESOURCE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5222,Resource Pack: 10000 Money,useful,"BASE_RESOURCE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5223,Junimo Chest,filler,"EXACTLY_TWO,RESOURCE_PACK", -5224,Horse Flute,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", -5225,Pierre's Missing Stocklist,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5224,Horse Flute,useful,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5225,Pierre's Missing Stocklist,useful,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5226,Hopper,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5227,Enricher,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5228,Pressure Nozzle,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5229,Deconstructor,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", -5230,Key To The Town,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5230,Key To The Town,useful,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5231,Galaxy Soul,filler,"GINGER_ISLAND,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5232,Mushroom Tree Seed,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5233,Resource Pack: 20 Magic Bait,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5234,Resource Pack: 10 Qi Seasoning,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5235,Mr. Qi's Hat,filler,"MAXIMUM_ONE,RESOURCE_PACK", 5236,Aquatic Sanctuary,filler,RESOURCE_PACK, -5237,Heavy Tapper Recipe,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", -5238,Hyper Speed-Gro Recipe,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", -5239,Deluxe Fertilizer Recipe,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", -5240,Hopper Recipe,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", -5241,Magic Bait Recipe,filler,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5242,Exotic Double Bed,filler,RESOURCE_PACK, -5243,Resource Pack: 2 Qi Gem,filler,"GINGER_ISLAND,RESOURCE_PACK", -5244,Golden Egg,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5243,Resource Pack: 2 Qi Gem,filler,"GINGER_ISLAND,RESOURCE_PACK,DEPRECATED", 5245,Golden Walnut,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL,GINGER_ISLAND", -5246,Fairy Dust Recipe,useful,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5247,Fairy Dust,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5248,Seed Maker,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5249,Keg,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", @@ -552,10 +717,13 @@ id,name,classification,groups,mod_name 5259,Worm Bin,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5260,Tapper,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5261,Heavy Tapper,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", -5262,Slime Incubator,useful,"RESOURCE_PACK", -5263,Slime Egg-Press,useful,"RESOURCE_PACK", +5262,Slime Incubator,useful,RESOURCE_PACK, +5263,Slime Egg-Press,useful,RESOURCE_PACK, 5264,Crystalarium,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 5265,Ostrich Incubator,useful,"MAXIMUM_ONE,RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5266,Resource Pack: 5 Staircase,filler,"RESOURCE_PACK", +5267,Auto-Petter,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", +5268,Auto-Grabber,useful,"RESOURCE_PACK,RESOURCE_PACK_USEFUL", 10001,Luck Level,progression,SKILL_LEVEL_UP,Luck Skill 10002,Magic Level,progression,SKILL_LEVEL_UP,Magic 10003,Socializing Level,progression,SKILL_LEVEL_UP,Socializing Skill @@ -569,14 +737,14 @@ id,name,classification,groups,mod_name 10011,Spell: Water,progression,MAGIC_SPELL,Magic 10012,Spell: Blink,progression,MAGIC_SPELL,Magic 10013,Spell: Evac,useful,MAGIC_SPELL,Magic -10014,Spell: Haste,filler,MAGIC_SPELL,Magic +10014,Spell: Haste,useful,MAGIC_SPELL,Magic 10015,Spell: Heal,progression,MAGIC_SPELL,Magic 10016,Spell: Buff,useful,MAGIC_SPELL,Magic 10017,Spell: Shockwave,progression,MAGIC_SPELL,Magic 10018,Spell: Fireball,progression,MAGIC_SPELL,Magic -10019,Spell: Frostbite,progression,MAGIC_SPELL,Magic +10019,Spell: Frostbolt,progression,MAGIC_SPELL,Magic 10020,Spell: Teleport,progression,MAGIC_SPELL,Magic -10021,Spell: Lantern,filler,MAGIC_SPELL,Magic +10021,Spell: Lantern,useful,MAGIC_SPELL,Magic 10022,Spell: Tendrils,progression,MAGIC_SPELL,Magic 10023,Spell: Photosynthesis,useful,MAGIC_SPELL,Magic 10024,Spell: Descend,progression,MAGIC_SPELL,Magic @@ -585,6 +753,9 @@ id,name,classification,groups,mod_name 10027,Spell: Lucksteal,useful,MAGIC_SPELL,Magic 10028,Spell: Spirit,progression,MAGIC_SPELL,Magic 10029,Spell: Rewind,useful,MAGIC_SPELL,Magic +10030,Pendant of Community,progression,,DeepWoods +10031,Pendant of Elders,progression,,DeepWoods +10032,Pendant of Depths,progression,,DeepWoods 10101,Juna <3,progression,FRIENDSANITY,Juna - Roommate NPC 10102,Jasper <3,progression,FRIENDSANITY,Professor Jasper Thomas 10103,Alec <3,progression,FRIENDSANITY,Alec Revisited @@ -596,5 +767,91 @@ id,name,classification,groups,mod_name 10109,Delores <3,progression,FRIENDSANITY,Delores - Custom NPC 10110,Ayeisha <3,progression,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) 10111,Riley <3,progression,FRIENDSANITY,Custom NPC - Riley +10112,Claire <3,progression,FRIENDSANITY,Stardew Valley Expanded +10113,Lance <3,progression,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +10114,Olivia <3,progression,FRIENDSANITY,Stardew Valley Expanded +10115,Sophia <3,progression,FRIENDSANITY,Stardew Valley Expanded +10116,Victor <3,progression,FRIENDSANITY,Stardew Valley Expanded +10117,Andy <3,progression,FRIENDSANITY,Stardew Valley Expanded +10118,Apples <3,progression,FRIENDSANITY,Stardew Valley Expanded +10119,Gunther <3,progression,FRIENDSANITY,Stardew Valley Expanded +10120,Martin <3,progression,FRIENDSANITY,Stardew Valley Expanded +10121,Marlon <3,progression,FRIENDSANITY,Stardew Valley Expanded +10122,Morgan <3,progression,FRIENDSANITY,Stardew Valley Expanded +10123,Scarlett <3,progression,FRIENDSANITY,Stardew Valley Expanded +10124,Susan <3,progression,FRIENDSANITY,Stardew Valley Expanded +10125,Morris <3,progression,FRIENDSANITY,Stardew Valley Expanded +10126,Alecto <3,progression,FRIENDSANITY,Alecto the Witch +10127,Zic <3,progression,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +10128,Lacey <3,progression,FRIENDSANITY,Hat Mouse Lacey +10129,Gregory <3,progression,FRIENDSANITY,Boarding House and Bus Stop Extension +10130,Sheila <3,progression,FRIENDSANITY,Boarding House and Bus Stop Extension +10131,Joel <3,progression,FRIENDSANITY,Boarding House and Bus Stop Extension 10301,Progressive Woods Obelisk Sigils,progression,,DeepWoods 10302,Progressive Skull Cavern Elevator,progression,,Skull Cavern Elevator +10401,Baked Berry Oatmeal Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10402,Big Bark Burger Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10403,Flower Cookie Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10404,Frog Legs Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10405,Glazed Butterfish Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10406,Mixed Berry Pie Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10407,Mushroom Berry Rice Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10408,Seaweed Salad Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10409,Void Delight Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10410,Void Salmon Sushi Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +10411,Mushroom Kebab Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Distant Lands - Witch Swamp Overhaul +10412,Crayfish Soup Recipe,progression,,Distant Lands - Witch Swamp Overhaul +10413,Pemmican Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Distant Lands - Witch Swamp Overhaul +10414,Void Mint Tea Recipe,progression,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Distant Lands - Witch Swamp Overhaul +10415,Ginger Tincture Recipe,progression,GINGER_ISLAND,Distant Lands - Witch Swamp Overhaul +10416,Special Pumpkin Soup Recipe,progression,,Boarding House and Bus Stop Extension +10450,Void Mint Seeds,progression,DEPRECATED,Distant Lands - Witch Swamp Overhaul +10451,Vile Ancient Fruit Seeds,progression,DEPRECATED,Distant Lands - Witch Swamp Overhaul +10501,Marlon's Boat Paddle,progression,GINGER_ISLAND,Stardew Valley Expanded +10502,Diamond Wand,filler,"WEAPON,DEPRECATED",Stardew Valley Expanded +10503,Iridium Bomb,progression,,Stardew Valley Expanded +10504,Void Spirit Peace Agreement,useful,GINGER_ISLAND,Stardew Valley Expanded +10505,Kittyfish Spell,progression,,Stardew Valley Expanded +10506,Nexus: Adventurer's Guild Runes,progression,MOD_WARP,Stardew Valley Expanded +10507,Nexus: Junimo Woods Runes,progression,MOD_WARP,Stardew Valley Expanded +10508,Nexus: Aurora Vineyard Runes,progression,MOD_WARP,Stardew Valley Expanded +10509,Nexus: Sprite Spring Runes,progression,MOD_WARP,Stardew Valley Expanded +10510,Nexus: Outpost Runes,progression,MOD_WARP,Stardew Valley Expanded +10511,Nexus: Farm Runes,progression,MOD_WARP,Stardew Valley Expanded +10512,Nexus: Wizard Runes,progression,MOD_WARP,Stardew Valley Expanded +10513,Fable Reef Portal,progression,GINGER_ISLAND,Stardew Valley Expanded +10514,Tempered Galaxy Sword,filler,"WEAPON,DEPRECATED",Stardew Valley Expanded +10515,Tempered Galaxy Dagger,filler,"WEAPON,DEPRECATED",Stardew Valley Expanded +10516,Tempered Galaxy Hammer,filler,"WEAPON,DEPRECATED",Stardew Valley Expanded +10517,Grandpa's Shed,progression,,Stardew Valley Expanded +10518,Aurora Vineyard Tablet,progression,,Stardew Valley Expanded +10519,Scarlett's Job Offer,progression,,Stardew Valley Expanded +10520,Morgan's Schooling,progression,,Stardew Valley Expanded +10601,Magic Elixir Recipe,progression,"CHEFSANITY,CHEFSANITY_PURCHASE",Magic +10602,Travel Core Recipe,progression,CRAFTSANITY,Magic +10603,Haste Elixir Recipe,progression,CRAFTSANITY,Stardew Valley Expanded +10604,Hero Elixir Recipe,progression,CRAFTSANITY,Stardew Valley Expanded +10605,Armor Elixir Recipe,progression,CRAFTSANITY,Stardew Valley Expanded +10606,Neanderthal Skeleton Recipe,progression,CRAFTSANITY,Boarding House and Bus Stop Extension +10607,Pterodactyl Skeleton L Recipe,progression,CRAFTSANITY,Boarding House and Bus Stop Extension +10608,Pterodactyl Skeleton M Recipe,progression,CRAFTSANITY,Boarding House and Bus Stop Extension +10609,Pterodactyl Skeleton R Recipe,progression,CRAFTSANITY,Boarding House and Bus Stop Extension +10610,T-Rex Skeleton L Recipe,progression,CRAFTSANITY,Boarding House and Bus Stop Extension +10611,T-Rex Skeleton M Recipe,progression,CRAFTSANITY,Boarding House and Bus Stop Extension +10612,T-Rex Skeleton R Recipe,progression,CRAFTSANITY,Boarding House and Bus Stop Extension +10701,Resource Pack: 3 Magic Elixir,filler,RESOURCE_PACK,Magic +10702,Resource Pack: 3 Travel Core,filler,RESOURCE_PACK,Magic +10703,Preservation Chamber,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL",Archaeology +10704,Hardwood Preservation Chamber,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL",Archaeology +10705,Resource Pack: 3 Water Shifter,filler,RESOURCE_PACK,Archaeology +10706,Resource Pack: 5 Hardwood Display,filler,RESOURCE_PACK,Archaeology +10707,Resource Pack: 5 Wooden Display,filler,RESOURCE_PACK,Archaeology +10708,Grinder,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL",Archaeology +10709,Ancient Battery Production Station,filler,"RESOURCE_PACK,RESOURCE_PACK_USEFUL",Archaeology +10710,Hero Elixir,filler,RESOURCE_PACK,Starde Valley Expanded +10711,Aegis Elixir,filler,RESOURCE_PACK,Stardew Valley Expanded +10712,Haste Elixir,filler,RESOURCE_PACK,Stardew Valley Expanded +10713,Lightning Elixir,filler,RESOURCE_PACK,Stardew Valley Expanded +10714,Armor Elixir,filler,RESOURCE_PACK,Stardew Valley Expanded +10715,Gravity Elixir,filler,RESOURCE_PACK,Stardew Valley Expanded +10716,Barbarian Elixir,filler,RESOURCE_PACK,Stardew Valley Expanded diff --git a/worlds/stardew_valley/data/locations.csv b/worlds/stardew_valley/data/locations.csv index ef56bf5a12ba..d18072971fba 100644 --- a/worlds/stardew_valley/data/locations.csv +++ b/worlds/stardew_valley/data/locations.csv @@ -1,1291 +1,2939 @@ -id,region,name,tags,mod_name -1,Crafts Room,Spring Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE,MANDATORY", -2,Crafts Room,Summer Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE,MANDATORY", -3,Crafts Room,Fall Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE,MANDATORY", -4,Crafts Room,Winter Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE,MANDATORY", -5,Crafts Room,Construction Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE,MANDATORY", -6,Crafts Room,Exotic Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE,MANDATORY", -7,Pantry,Spring Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,PANTRY_BUNDLE", -8,Pantry,Summer Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,PANTRY_BUNDLE", -9,Pantry,Fall Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,PANTRY_BUNDLE", -10,Pantry,Quality Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,PANTRY_BUNDLE", -11,Pantry,Animal Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,PANTRY_BUNDLE", -12,Pantry,Artisan Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,PANTRY_BUNDLE", -13,Fish Tank,River Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE,MANDATORY", -14,Fish Tank,Lake Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE,MANDATORY", -15,Fish Tank,Ocean Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE,MANDATORY", -16,Fish Tank,Night Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE,MANDATORY", -17,Fish Tank,Crab Pot Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE,MANDATORY", -18,Fish Tank,Specialty Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE,MANDATORY", -19,Boiler Room,Blacksmith's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -20,Boiler Room,Geologist's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -21,Boiler Room,Adventurer's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -22,Bulletin Board,Chef's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -23,Bulletin Board,Dye Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -24,Bulletin Board,Field Research Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -25,Bulletin Board,Fodder Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -26,Bulletin Board,Enchanter's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY", -27,Vault,"2,500g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,VAULT_BUNDLE", -28,Vault,"5,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,VAULT_BUNDLE", -29,Vault,"10,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,VAULT_BUNDLE", -30,Vault,"25,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,MANDATORY,VAULT_BUNDLE", -31,Abandoned JojaMart,The Missing Bundle,BUNDLE, -32,Crafts Room,Complete Crafts Room,"COMMUNITY_CENTER_ROOM,MANDATORY", -33,Pantry,Complete Pantry,"COMMUNITY_CENTER_ROOM,MANDATORY", -34,Fish Tank,Complete Fish Tank,"COMMUNITY_CENTER_ROOM,MANDATORY", -35,Boiler Room,Complete Boiler Room,"COMMUNITY_CENTER_ROOM,MANDATORY", -36,Bulletin Board,Complete Bulletin Board,"COMMUNITY_CENTER_ROOM,MANDATORY", -37,Vault,Complete Vault,"COMMUNITY_CENTER_ROOM,MANDATORY", -101,Pierre's General Store,Large Pack,BACKPACK, -102,Pierre's General Store,Deluxe Pack,BACKPACK, -103,Clint's Blacksmith,Copper Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", -104,Clint's Blacksmith,Iron Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", -105,Clint's Blacksmith,Gold Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", -106,Clint's Blacksmith,Iridium Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", -107,Clint's Blacksmith,Copper Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", -108,Clint's Blacksmith,Iron Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", -109,Clint's Blacksmith,Gold Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", -110,Clint's Blacksmith,Iridium Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", -111,Clint's Blacksmith,Copper Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", -112,Clint's Blacksmith,Iron Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", -113,Clint's Blacksmith,Gold Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", -114,Clint's Blacksmith,Iridium Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", -115,Clint's Blacksmith,Copper Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", -116,Clint's Blacksmith,Iron Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", -117,Clint's Blacksmith,Gold Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", -118,Clint's Blacksmith,Iridium Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", -119,Clint's Blacksmith,Copper Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", -120,Clint's Blacksmith,Iron Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", -121,Clint's Blacksmith,Gold Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", -122,Clint's Blacksmith,Iridium Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", -123,Willy's Fish Shop,Purchase Training Rod,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", -124,Beach,Bamboo Pole Cutscene,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", -125,Willy's Fish Shop,Purchase Fiberglass Rod,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", -126,Willy's Fish Shop,Purchase Iridium Rod,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", -201,The Mines - Floor 10,The Mines Floor 10 Treasure,"MANDATORY,THE_MINES_TREASURE", -202,The Mines - Floor 20,The Mines Floor 20 Treasure,"MANDATORY,THE_MINES_TREASURE", -203,The Mines - Floor 40,The Mines Floor 40 Treasure,"MANDATORY,THE_MINES_TREASURE", -204,The Mines - Floor 50,The Mines Floor 50 Treasure,"MANDATORY,THE_MINES_TREASURE", -205,The Mines - Floor 60,The Mines Floor 60 Treasure,"MANDATORY,THE_MINES_TREASURE", -206,The Mines - Floor 70,The Mines Floor 70 Treasure,"MANDATORY,THE_MINES_TREASURE", -207,The Mines - Floor 80,The Mines Floor 80 Treasure,"MANDATORY,THE_MINES_TREASURE", -208,The Mines - Floor 90,The Mines Floor 90 Treasure,"MANDATORY,THE_MINES_TREASURE", -209,The Mines - Floor 100,The Mines Floor 100 Treasure,"MANDATORY,THE_MINES_TREASURE", -210,The Mines - Floor 110,The Mines Floor 110 Treasure,"MANDATORY,THE_MINES_TREASURE", -211,The Mines - Floor 120,The Mines Floor 120 Treasure,"MANDATORY,THE_MINES_TREASURE", -212,Quarry Mine,Grim Reaper statue,MANDATORY, -213,The Mines,The Mines Entrance Cutscene,MANDATORY, -214,The Mines - Floor 5,Floor 5 Elevator,ELEVATOR, -215,The Mines - Floor 10,Floor 10 Elevator,ELEVATOR, -216,The Mines - Floor 15,Floor 15 Elevator,ELEVATOR, -217,The Mines - Floor 20,Floor 20 Elevator,ELEVATOR, -218,The Mines - Floor 25,Floor 25 Elevator,ELEVATOR, -219,The Mines - Floor 30,Floor 30 Elevator,ELEVATOR, -220,The Mines - Floor 35,Floor 35 Elevator,ELEVATOR, -221,The Mines - Floor 40,Floor 40 Elevator,ELEVATOR, -222,The Mines - Floor 45,Floor 45 Elevator,ELEVATOR, -223,The Mines - Floor 50,Floor 50 Elevator,ELEVATOR, -224,The Mines - Floor 55,Floor 55 Elevator,ELEVATOR, -225,The Mines - Floor 60,Floor 60 Elevator,ELEVATOR, -226,The Mines - Floor 65,Floor 65 Elevator,ELEVATOR, -227,The Mines - Floor 70,Floor 70 Elevator,ELEVATOR, -228,The Mines - Floor 75,Floor 75 Elevator,ELEVATOR, -229,The Mines - Floor 80,Floor 80 Elevator,ELEVATOR, -230,The Mines - Floor 85,Floor 85 Elevator,ELEVATOR, -231,The Mines - Floor 90,Floor 90 Elevator,ELEVATOR, -232,The Mines - Floor 95,Floor 95 Elevator,ELEVATOR, -233,The Mines - Floor 100,Floor 100 Elevator,ELEVATOR, -234,The Mines - Floor 105,Floor 105 Elevator,ELEVATOR, -235,The Mines - Floor 110,Floor 110 Elevator,ELEVATOR, -236,The Mines - Floor 115,Floor 115 Elevator,ELEVATOR, -237,The Mines - Floor 120,Floor 120 Elevator,ELEVATOR, -251,Volcano - Floor 10,Volcano Caldera Treasure,"MANDATORY,GINGER_ISLAND", -301,Stardew Valley,Level 1 Farming,"FARMING_LEVEL,SKILL_LEVEL", -302,Stardew Valley,Level 2 Farming,"FARMING_LEVEL,SKILL_LEVEL", -303,Stardew Valley,Level 3 Farming,"FARMING_LEVEL,SKILL_LEVEL", -304,Stardew Valley,Level 4 Farming,"FARMING_LEVEL,SKILL_LEVEL", -305,Stardew Valley,Level 5 Farming,"FARMING_LEVEL,SKILL_LEVEL", -306,Stardew Valley,Level 6 Farming,"FARMING_LEVEL,SKILL_LEVEL", -307,Stardew Valley,Level 7 Farming,"FARMING_LEVEL,SKILL_LEVEL", -308,Stardew Valley,Level 8 Farming,"FARMING_LEVEL,SKILL_LEVEL", -309,Stardew Valley,Level 9 Farming,"FARMING_LEVEL,SKILL_LEVEL", -310,Stardew Valley,Level 10 Farming,"FARMING_LEVEL,SKILL_LEVEL", -311,Stardew Valley,Level 1 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -312,Stardew Valley,Level 2 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -313,Stardew Valley,Level 3 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -314,Stardew Valley,Level 4 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -315,Stardew Valley,Level 5 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -316,Stardew Valley,Level 6 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -317,Stardew Valley,Level 7 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -318,Stardew Valley,Level 8 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -319,Stardew Valley,Level 9 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -320,Stardew Valley,Level 10 Fishing,"FISHING_LEVEL,SKILL_LEVEL", -321,Stardew Valley,Level 1 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -322,Stardew Valley,Level 2 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -323,Stardew Valley,Level 3 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -324,Stardew Valley,Level 4 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -325,Stardew Valley,Level 5 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -326,Stardew Valley,Level 6 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -327,Stardew Valley,Level 7 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -328,Stardew Valley,Level 8 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -329,Stardew Valley,Level 9 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -330,Stardew Valley,Level 10 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", -331,Stardew Valley,Level 1 Mining,"MINING_LEVEL,SKILL_LEVEL", -332,Stardew Valley,Level 2 Mining,"MINING_LEVEL,SKILL_LEVEL", -333,Stardew Valley,Level 3 Mining,"MINING_LEVEL,SKILL_LEVEL", -334,Stardew Valley,Level 4 Mining,"MINING_LEVEL,SKILL_LEVEL", -335,Stardew Valley,Level 5 Mining,"MINING_LEVEL,SKILL_LEVEL", -336,Stardew Valley,Level 6 Mining,"MINING_LEVEL,SKILL_LEVEL", -337,Stardew Valley,Level 7 Mining,"MINING_LEVEL,SKILL_LEVEL", -338,Stardew Valley,Level 8 Mining,"MINING_LEVEL,SKILL_LEVEL", -339,Stardew Valley,Level 9 Mining,"MINING_LEVEL,SKILL_LEVEL", -340,Stardew Valley,Level 10 Mining,"MINING_LEVEL,SKILL_LEVEL", -341,Stardew Valley,Level 1 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -342,Stardew Valley,Level 2 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -343,Stardew Valley,Level 3 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -344,Stardew Valley,Level 4 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -345,Stardew Valley,Level 5 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -346,Stardew Valley,Level 6 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -347,Stardew Valley,Level 7 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -348,Stardew Valley,Level 8 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -349,Stardew Valley,Level 9 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -350,Stardew Valley,Level 10 Combat,"COMBAT_LEVEL,SKILL_LEVEL", -401,Carpenter Shop,Coop Blueprint,BUILDING_BLUEPRINT, -402,Carpenter Shop,Big Coop Blueprint,BUILDING_BLUEPRINT, -403,Carpenter Shop,Deluxe Coop Blueprint,BUILDING_BLUEPRINT, -404,Carpenter Shop,Barn Blueprint,BUILDING_BLUEPRINT, -405,Carpenter Shop,Big Barn Blueprint,BUILDING_BLUEPRINT, -406,Carpenter Shop,Deluxe Barn Blueprint,BUILDING_BLUEPRINT, -407,Carpenter Shop,Well Blueprint,BUILDING_BLUEPRINT, -408,Carpenter Shop,Silo Blueprint,BUILDING_BLUEPRINT, -409,Carpenter Shop,Mill Blueprint,BUILDING_BLUEPRINT, -410,Carpenter Shop,Shed Blueprint,BUILDING_BLUEPRINT, -411,Carpenter Shop,Big Shed Blueprint,BUILDING_BLUEPRINT, -412,Carpenter Shop,Fish Pond Blueprint,BUILDING_BLUEPRINT, -413,Carpenter Shop,Stable Blueprint,BUILDING_BLUEPRINT, -414,Carpenter Shop,Slime Hutch Blueprint,BUILDING_BLUEPRINT, -415,Carpenter Shop,Shipping Bin Blueprint,BUILDING_BLUEPRINT, -416,Carpenter Shop,Kitchen Blueprint,BUILDING_BLUEPRINT, -417,Carpenter Shop,Kids Room Blueprint,BUILDING_BLUEPRINT, -418,Carpenter Shop,Cellar Blueprint,BUILDING_BLUEPRINT, -501,Town,Introductions,"MANDATORY,QUEST", -502,Town,How To Win Friends,"MANDATORY,QUEST", -503,Farm,Getting Started,"MANDATORY,QUEST", -504,Farm,Raising Animals,"MANDATORY,QUEST", -505,Farm,Advancement,"MANDATORY,QUEST", -506,Museum,Archaeology,"MANDATORY,QUEST", -507,Wizard Tower,Meet The Wizard,"MANDATORY,QUEST", -508,Farm,Forging Ahead,"MANDATORY,QUEST", -509,Farm,Smelting,"MANDATORY,QUEST", -510,The Mines - Floor 5,Initiation,"MANDATORY,QUEST", -511,Forest,Robin's Lost Axe,"MANDATORY,QUEST", -512,Sam's House,Jodi's Request,"MANDATORY,QUEST", -513,Marnie's Ranch,"Mayor's ""Shorts""","MANDATORY,QUEST", -514,Tunnel Entrance,Blackberry Basket,"MANDATORY,QUEST", -515,Marnie's Ranch,Marnie's Request,"MANDATORY,QUEST", -516,Town,Pam Is Thirsty,"MANDATORY,QUEST", -517,Wizard Tower,A Dark Reagent,"MANDATORY,QUEST", -518,Marnie's Ranch,Cow's Delight,"MANDATORY,QUEST", -519,Skull Cavern Entrance,The Skull Key,"MANDATORY,QUEST", -520,Town,Crop Research,"MANDATORY,QUEST", -521,Town,Knee Therapy,"MANDATORY,QUEST", -522,Town,Robin's Request,"MANDATORY,QUEST", -523,Skull Cavern,Qi's Challenge,"MANDATORY,QUEST", -524,Desert,The Mysterious Qi,"MANDATORY,QUEST", -525,Town,Carving Pumpkins,"MANDATORY,QUEST", -526,Town,A Winter Mystery,"MANDATORY,QUEST", -527,Secret Woods,Strange Note,"MANDATORY,QUEST", -528,Skull Cavern,Cryptic Note,"MANDATORY,QUEST", -529,Town,Fresh Fruit,"MANDATORY,QUEST", -530,Town,Aquatic Research,"MANDATORY,QUEST", -531,Town,A Soldier's Star,"MANDATORY,QUEST", -532,Town,Mayor's Need,"MANDATORY,QUEST", -533,Saloon,Wanted: Lobster,"MANDATORY,QUEST", -534,Town,Pam Needs Juice,"MANDATORY,QUEST", -535,Sam's House,Fish Casserole,"MANDATORY,QUEST", -536,Beach,Catch A Squid,"MANDATORY,QUEST", -537,Saloon,Fish Stew,"MANDATORY,QUEST", -538,Town,Pierre's Notice,"MANDATORY,QUEST", -539,Town,Clint's Attempt,"MANDATORY,QUEST", -540,Town,A Favor For Clint,"MANDATORY,QUEST", -541,Wizard Tower,Staff Of Power,"MANDATORY,QUEST", -542,Town,Granny's Gift,"MANDATORY,QUEST", -543,Saloon,Exotic Spirits,"MANDATORY,QUEST", -544,Town,Catch a Lingcod,"MANDATORY,QUEST", -545,Island West,The Pirate's Wife,"GINGER_ISLAND,MANDATORY,QUEST", -546,Railroad,Dark Talisman,"MANDATORY,QUEST", -547,Witch's Swamp,Goblin Problem,"MANDATORY,QUEST", -548,Witch's Hut,Magic Ink,"MANDATORY,QUEST", -601,JotPK World 1,JotPK: Boots 1,"ARCADE_MACHINE,JOTPK", -602,JotPK World 1,JotPK: Boots 2,"ARCADE_MACHINE,JOTPK", -603,JotPK World 1,JotPK: Gun 1,"ARCADE_MACHINE,JOTPK", -604,JotPK World 2,JotPK: Gun 2,"ARCADE_MACHINE,JOTPK", -605,JotPK World 2,JotPK: Gun 3,"ARCADE_MACHINE,JOTPK", -606,JotPK World 3,JotPK: Super Gun,"ARCADE_MACHINE,JOTPK", -607,JotPK World 1,JotPK: Ammo 1,"ARCADE_MACHINE,JOTPK", -608,JotPK World 2,JotPK: Ammo 2,"ARCADE_MACHINE,JOTPK", -609,JotPK World 3,JotPK: Ammo 3,"ARCADE_MACHINE,JOTPK", -610,JotPK World 1,JotPK: Cowboy 1,"ARCADE_MACHINE,JOTPK", -611,JotPK World 2,JotPK: Cowboy 2,"ARCADE_MACHINE,JOTPK", -612,Junimo Kart 1,Junimo Kart: Crumble Cavern,"ARCADE_MACHINE,JUNIMO_KART", -613,Junimo Kart 1,Junimo Kart: Slippery Slopes,"ARCADE_MACHINE,JUNIMO_KART", -614,Junimo Kart 2,Junimo Kart: Secret Level,"ARCADE_MACHINE,JUNIMO_KART", -615,Junimo Kart 2,Junimo Kart: The Gem Sea Giant,"ARCADE_MACHINE,JUNIMO_KART", -616,Junimo Kart 2,Junimo Kart: Slomp's Stomp,"ARCADE_MACHINE,JUNIMO_KART", -617,Junimo Kart 2,Junimo Kart: Ghastly Galleon,"ARCADE_MACHINE,JUNIMO_KART", -618,Junimo Kart 3,Junimo Kart: Glowshroom Grotto,"ARCADE_MACHINE,JUNIMO_KART", -619,Junimo Kart 3,Junimo Kart: Red Hot Rollercoaster,"ARCADE_MACHINE,JUNIMO_KART", -620,JotPK World 3,Journey of the Prairie King Victory,"ARCADE_MACHINE_VICTORY,JOTPK", -621,Junimo Kart 3,Junimo Kart: Sunset Speedway (Victory),"ARCADE_MACHINE_VICTORY,JUNIMO_KART", -701,Secret Woods,Old Master Cannoli,MANDATORY, -702,Beach,Beach Bridge Repair,MANDATORY, -703,Desert,Galaxy Sword Shrine,MANDATORY, -704,Farmhouse,Have a Baby,MANDATORY, -705,Farmhouse,Have Another Baby,MANDATORY, -801,Town,Help Wanted: Gathering 1,HELP_WANTED, -802,Town,Help Wanted: Gathering 2,HELP_WANTED, -803,Town,Help Wanted: Gathering 3,HELP_WANTED, -804,Town,Help Wanted: Gathering 4,HELP_WANTED, -805,Town,Help Wanted: Gathering 5,HELP_WANTED, -806,Town,Help Wanted: Gathering 6,HELP_WANTED, -807,Town,Help Wanted: Gathering 7,HELP_WANTED, -808,Town,Help Wanted: Gathering 8,HELP_WANTED, -811,Town,Help Wanted: Slay Monsters 1,HELP_WANTED, -812,Town,Help Wanted: Slay Monsters 2,HELP_WANTED, -813,Town,Help Wanted: Slay Monsters 3,HELP_WANTED, -814,Town,Help Wanted: Slay Monsters 4,HELP_WANTED, -815,Town,Help Wanted: Slay Monsters 5,HELP_WANTED, -816,Town,Help Wanted: Slay Monsters 6,HELP_WANTED, -817,Town,Help Wanted: Slay Monsters 7,HELP_WANTED, -818,Town,Help Wanted: Slay Monsters 8,HELP_WANTED, -821,Town,Help Wanted: Fishing 1,HELP_WANTED, -822,Town,Help Wanted: Fishing 2,HELP_WANTED, -823,Town,Help Wanted: Fishing 3,HELP_WANTED, -824,Town,Help Wanted: Fishing 4,HELP_WANTED, -825,Town,Help Wanted: Fishing 5,HELP_WANTED, -826,Town,Help Wanted: Fishing 6,HELP_WANTED, -827,Town,Help Wanted: Fishing 7,HELP_WANTED, -828,Town,Help Wanted: Fishing 8,HELP_WANTED, -841,Town,Help Wanted: Item Delivery 1,HELP_WANTED, -842,Town,Help Wanted: Item Delivery 2,HELP_WANTED, -843,Town,Help Wanted: Item Delivery 3,HELP_WANTED, -844,Town,Help Wanted: Item Delivery 4,HELP_WANTED, -845,Town,Help Wanted: Item Delivery 5,HELP_WANTED, -846,Town,Help Wanted: Item Delivery 6,HELP_WANTED, -847,Town,Help Wanted: Item Delivery 7,HELP_WANTED, -848,Town,Help Wanted: Item Delivery 8,HELP_WANTED, -849,Town,Help Wanted: Item Delivery 9,HELP_WANTED, -850,Town,Help Wanted: Item Delivery 10,HELP_WANTED, -851,Town,Help Wanted: Item Delivery 11,HELP_WANTED, -852,Town,Help Wanted: Item Delivery 12,HELP_WANTED, -853,Town,Help Wanted: Item Delivery 13,HELP_WANTED, -854,Town,Help Wanted: Item Delivery 14,HELP_WANTED, -855,Town,Help Wanted: Item Delivery 15,HELP_WANTED, -856,Town,Help Wanted: Item Delivery 16,HELP_WANTED, -857,Town,Help Wanted: Item Delivery 17,HELP_WANTED, -858,Town,Help Wanted: Item Delivery 18,HELP_WANTED, -859,Town,Help Wanted: Item Delivery 19,HELP_WANTED, -860,Town,Help Wanted: Item Delivery 20,HELP_WANTED, -861,Town,Help Wanted: Item Delivery 21,HELP_WANTED, -862,Town,Help Wanted: Item Delivery 22,HELP_WANTED, -863,Town,Help Wanted: Item Delivery 23,HELP_WANTED, -864,Town,Help Wanted: Item Delivery 24,HELP_WANTED, -865,Town,Help Wanted: Item Delivery 25,HELP_WANTED, -866,Town,Help Wanted: Item Delivery 26,HELP_WANTED, -867,Town,Help Wanted: Item Delivery 27,HELP_WANTED, -868,Town,Help Wanted: Item Delivery 28,HELP_WANTED, -869,Town,Help Wanted: Item Delivery 29,HELP_WANTED, -870,Town,Help Wanted: Item Delivery 30,HELP_WANTED, -871,Town,Help Wanted: Item Delivery 31,HELP_WANTED, -872,Town,Help Wanted: Item Delivery 32,HELP_WANTED, -901,Forest,Traveling Merchant Sunday Item 1,"MANDATORY,TRAVELING_MERCHANT", -902,Forest,Traveling Merchant Sunday Item 2,"MANDATORY,TRAVELING_MERCHANT", -903,Forest,Traveling Merchant Sunday Item 3,"MANDATORY,TRAVELING_MERCHANT", -911,Forest,Traveling Merchant Monday Item 1,"MANDATORY,TRAVELING_MERCHANT", -912,Forest,Traveling Merchant Monday Item 2,"MANDATORY,TRAVELING_MERCHANT", -913,Forest,Traveling Merchant Monday Item 3,"MANDATORY,TRAVELING_MERCHANT", -921,Forest,Traveling Merchant Tuesday Item 1,"MANDATORY,TRAVELING_MERCHANT", -922,Forest,Traveling Merchant Tuesday Item 2,"MANDATORY,TRAVELING_MERCHANT", -923,Forest,Traveling Merchant Tuesday Item 3,"MANDATORY,TRAVELING_MERCHANT", -931,Forest,Traveling Merchant Wednesday Item 1,"MANDATORY,TRAVELING_MERCHANT", -932,Forest,Traveling Merchant Wednesday Item 2,"MANDATORY,TRAVELING_MERCHANT", -933,Forest,Traveling Merchant Wednesday Item 3,"MANDATORY,TRAVELING_MERCHANT", -941,Forest,Traveling Merchant Thursday Item 1,"MANDATORY,TRAVELING_MERCHANT", -942,Forest,Traveling Merchant Thursday Item 2,"MANDATORY,TRAVELING_MERCHANT", -943,Forest,Traveling Merchant Thursday Item 3,"MANDATORY,TRAVELING_MERCHANT", -951,Forest,Traveling Merchant Friday Item 1,"MANDATORY,TRAVELING_MERCHANT", -952,Forest,Traveling Merchant Friday Item 2,"MANDATORY,TRAVELING_MERCHANT", -953,Forest,Traveling Merchant Friday Item 3,"MANDATORY,TRAVELING_MERCHANT", -961,Forest,Traveling Merchant Saturday Item 1,"MANDATORY,TRAVELING_MERCHANT", -962,Forest,Traveling Merchant Saturday Item 2,"MANDATORY,TRAVELING_MERCHANT", -963,Forest,Traveling Merchant Saturday Item 3,"MANDATORY,TRAVELING_MERCHANT", -1001,Mountain,Fishsanity: Carp,FISHSANITY, -1002,Beach,Fishsanity: Herring,FISHSANITY, -1003,Forest,Fishsanity: Smallmouth Bass,FISHSANITY, -1004,Beach,Fishsanity: Anchovy,FISHSANITY, -1005,Beach,Fishsanity: Sardine,FISHSANITY, -1006,Forest,Fishsanity: Sunfish,FISHSANITY, -1007,Forest,Fishsanity: Perch,FISHSANITY, -1008,Forest,Fishsanity: Chub,FISHSANITY, -1009,Forest,Fishsanity: Bream,FISHSANITY, -1010,Beach,Fishsanity: Red Snapper,FISHSANITY, -1011,Beach,Fishsanity: Sea Cucumber,FISHSANITY, -1012,Forest,Fishsanity: Rainbow Trout,FISHSANITY, -1013,Forest,Fishsanity: Walleye,FISHSANITY, -1014,Forest,Fishsanity: Shad,FISHSANITY, -1015,Mountain,Fishsanity: Bullhead,FISHSANITY, -1016,Mountain,Fishsanity: Largemouth Bass,FISHSANITY, -1017,Forest,Fishsanity: Salmon,FISHSANITY, -1018,The Mines - Floor 20,Fishsanity: Ghostfish,FISHSANITY, -1019,Beach,Fishsanity: Tilapia,FISHSANITY, -1020,Secret Woods,Fishsanity: Woodskip,FISHSANITY, -1021,Beach,Fishsanity: Flounder,FISHSANITY, -1022,Beach,Fishsanity: Halibut,FISHSANITY, -1023,Island West,Fishsanity: Lionfish,"FISHSANITY,GINGER_ISLAND", -1024,Mutant Bug Lair,Fishsanity: Slimejack,FISHSANITY, -1025,Forest,Fishsanity: Midnight Carp,FISHSANITY, -1026,Beach,Fishsanity: Red Mullet,FISHSANITY, -1027,Forest,Fishsanity: Pike,FISHSANITY, -1028,Forest,Fishsanity: Tiger Trout,FISHSANITY, -1029,Island West,Fishsanity: Blue Discus,"FISHSANITY,GINGER_ISLAND", -1030,Beach,Fishsanity: Albacore,FISHSANITY, -1031,Desert,Fishsanity: Sandfish,FISHSANITY, -1032,The Mines - Floor 20,Fishsanity: Stonefish,FISHSANITY, -1033,Beach,Fishsanity: Tuna,FISHSANITY, -1034,Beach,Fishsanity: Eel,FISHSANITY, -1035,Forest,Fishsanity: Catfish,FISHSANITY, -1036,Beach,Fishsanity: Squid,FISHSANITY, -1037,Mountain,Fishsanity: Sturgeon,FISHSANITY, -1038,Forest,Fishsanity: Dorado,FISHSANITY, -1039,Beach,Fishsanity: Pufferfish,FISHSANITY, -1040,Witch's Swamp,Fishsanity: Void Salmon,FISHSANITY, -1041,Beach,Fishsanity: Super Cucumber,FISHSANITY, -1042,Pirate Cove,Fishsanity: Stingray,"FISHSANITY,GINGER_ISLAND", -1043,The Mines - Floor 60,Fishsanity: Ice Pip,FISHSANITY, -1044,Forest,Fishsanity: Lingcod,FISHSANITY, -1045,Desert,Fishsanity: Scorpion Carp,FISHSANITY, -1046,The Mines - Floor 100,Fishsanity: Lava Eel,FISHSANITY, -1047,Beach,Fishsanity: Octopus,FISHSANITY, -1048,Beach,Fishsanity: Midnight Squid,FISHSANITY, -1049,Beach,Fishsanity: Spook Fish,FISHSANITY, -1050,Beach,Fishsanity: Blobfish,FISHSANITY, -1051,Beach,Fishsanity: Crimsonfish,FISHSANITY, -1052,Town,Fishsanity: Angler,FISHSANITY, -1053,Mountain,Fishsanity: Legend,FISHSANITY, -1054,Forest,Fishsanity: Glacierfish,FISHSANITY, -1055,Sewer,Fishsanity: Mutant Carp,FISHSANITY, -1056,Town,Fishsanity: Crayfish,FISHSANITY, -1057,Town,Fishsanity: Snail,FISHSANITY, -1058,Town,Fishsanity: Periwinkle,FISHSANITY, -1059,Beach,Fishsanity: Lobster,FISHSANITY, -1060,Beach,Fishsanity: Clam,FISHSANITY, -1061,Beach,Fishsanity: Crab,FISHSANITY, -1062,Beach,Fishsanity: Cockle,FISHSANITY, -1063,Beach,Fishsanity: Mussel,FISHSANITY, -1064,Beach,Fishsanity: Shrimp,FISHSANITY, -1065,Beach,Fishsanity: Oyster,FISHSANITY, -1100,Stardew Valley,Museumsanity: 5 Donations,MUSEUM_MILESTONES, -1101,Stardew Valley,Museumsanity: 10 Donations,MUSEUM_MILESTONES, -1102,Stardew Valley,Museumsanity: 15 Donations,MUSEUM_MILESTONES, -1103,Stardew Valley,Museumsanity: 20 Donations,MUSEUM_MILESTONES, -1104,Stardew Valley,Museumsanity: 25 Donations,MUSEUM_MILESTONES, -1105,Stardew Valley,Museumsanity: 30 Donations,MUSEUM_MILESTONES, -1106,Stardew Valley,Museumsanity: 35 Donations,MUSEUM_MILESTONES, -1107,Stardew Valley,Museumsanity: 40 Donations,MUSEUM_MILESTONES, -1108,Stardew Valley,Museumsanity: 50 Donations,MUSEUM_MILESTONES, -1109,Stardew Valley,Museumsanity: 60 Donations,MUSEUM_MILESTONES, -1110,Stardew Valley,Museumsanity: 70 Donations,MUSEUM_MILESTONES, -1111,Stardew Valley,Museumsanity: 80 Donations,MUSEUM_MILESTONES, -1112,Stardew Valley,Museumsanity: 90 Donations,MUSEUM_MILESTONES, -1113,Stardew Valley,Museumsanity: 95 Donations,MUSEUM_MILESTONES, -1114,Stardew Valley,Museumsanity: 11 Minerals,MUSEUM_MILESTONES, -1115,Stardew Valley,Museumsanity: 21 Minerals,MUSEUM_MILESTONES, -1116,Stardew Valley,Museumsanity: 31 Minerals,MUSEUM_MILESTONES, -1117,Stardew Valley,Museumsanity: 41 Minerals,MUSEUM_MILESTONES, -1118,Stardew Valley,Museumsanity: 50 Minerals,MUSEUM_MILESTONES, -1119,Stardew Valley,Museumsanity: 3 Artifacts,MUSEUM_MILESTONES, -1120,Stardew Valley,Museumsanity: 6 Artifacts,MUSEUM_MILESTONES, -1121,Stardew Valley,Museumsanity: 9 Artifacts,MUSEUM_MILESTONES, -1122,Stardew Valley,Museumsanity: 11 Artifacts,MUSEUM_MILESTONES, -1123,Stardew Valley,Museumsanity: 15 Artifacts,MUSEUM_MILESTONES, -1124,Stardew Valley,Museumsanity: 20 Artifacts,MUSEUM_MILESTONES, -1125,Stardew Valley,Museumsanity: Dwarf Scrolls,MUSEUM_MILESTONES, -1126,Stardew Valley,Museumsanity: Skeleton Front,MUSEUM_MILESTONES, -1127,Stardew Valley,Museumsanity: Skeleton Middle,MUSEUM_MILESTONES, -1128,Stardew Valley,Museumsanity: Skeleton Back,MUSEUM_MILESTONES, -1201,The Mines - Floor 20,Museumsanity: Dwarf Scroll I,MUSEUM_DONATIONS, -1202,The Mines - Floor 20,Museumsanity: Dwarf Scroll II,MUSEUM_DONATIONS, -1203,The Mines - Floor 60,Museumsanity: Dwarf Scroll III,MUSEUM_DONATIONS, -1204,The Mines - Floor 100,Museumsanity: Dwarf Scroll IV,MUSEUM_DONATIONS, -1205,Town,Museumsanity: Chipped Amphora,MUSEUM_DONATIONS, -1206,Forest,Museumsanity: Arrowhead,MUSEUM_DONATIONS, -1207,Forest,Museumsanity: Ancient Doll,MUSEUM_DONATIONS, -1208,Forest,Museumsanity: Elvish Jewelry,MUSEUM_DONATIONS, -1209,Forest,Museumsanity: Chewing Stick,MUSEUM_DONATIONS, -1210,Forest,Museumsanity: Ornamental Fan,MUSEUM_DONATIONS, -1211,Mountain,Museumsanity: Dinosaur Egg,MUSEUM_DONATIONS, -1212,Stardew Valley,Museumsanity: Rare Disc,MUSEUM_DONATIONS, -1213,Forest,Museumsanity: Ancient Sword,MUSEUM_DONATIONS, -1214,Town,Museumsanity: Rusty Spoon,MUSEUM_DONATIONS, -1215,Farm,Museumsanity: Rusty Spur,MUSEUM_DONATIONS, -1216,Mountain,Museumsanity: Rusty Cog,MUSEUM_DONATIONS, -1217,Farm,Museumsanity: Chicken Statue,MUSEUM_DONATIONS, -1218,Forest,Museumsanity: Ancient Seed,"MUSEUM_DONATIONS,MUSEUM_MILESTONES", -1219,Forest,Museumsanity: Prehistoric Tool,MUSEUM_DONATIONS, -1220,Beach,Museumsanity: Dried Starfish,MUSEUM_DONATIONS, -1221,Beach,Museumsanity: Anchor,MUSEUM_DONATIONS, -1222,Beach,Museumsanity: Glass Shards,MUSEUM_DONATIONS, -1223,Forest,Museumsanity: Bone Flute,MUSEUM_DONATIONS, -1224,Forest,Museumsanity: Prehistoric Handaxe,MUSEUM_DONATIONS, -1225,The Mines - Floor 20,Museumsanity: Dwarvish Helm,MUSEUM_DONATIONS, -1226,The Mines - Floor 60,Museumsanity: Dwarf Gadget,MUSEUM_DONATIONS, -1227,Forest,Museumsanity: Ancient Drum,MUSEUM_DONATIONS, -1228,Desert,Museumsanity: Golden Mask,MUSEUM_DONATIONS, -1229,Desert,Museumsanity: Golden Relic,MUSEUM_DONATIONS, -1230,Town,Museumsanity: Strange Doll (Green),MUSEUM_DONATIONS, -1231,Desert,Museumsanity: Strange Doll,MUSEUM_DONATIONS, -1232,Forest,Museumsanity: Prehistoric Scapula,MUSEUM_DONATIONS, -1233,Forest,Museumsanity: Prehistoric Tibia,MUSEUM_DONATIONS, -1234,Dig Site,Museumsanity: Prehistoric Skull,MUSEUM_DONATIONS, -1235,Dig Site,Museumsanity: Skeletal Hand,MUSEUM_DONATIONS, -1236,Dig Site,Museumsanity: Prehistoric Rib,MUSEUM_DONATIONS, -1237,Dig Site,Museumsanity: Prehistoric Vertebra,MUSEUM_DONATIONS, -1238,Dig Site,Museumsanity: Skeletal Tail,MUSEUM_DONATIONS, -1239,Dig Site,Museumsanity: Nautilus Fossil,MUSEUM_DONATIONS, -1240,Forest,Museumsanity: Amphibian Fossil,MUSEUM_DONATIONS, -1241,Forest,Museumsanity: Palm Fossil,MUSEUM_DONATIONS, -1242,Forest,Museumsanity: Trilobite,MUSEUM_DONATIONS, -1243,The Mines - Floor 20,Museumsanity: Quartz,MUSEUM_DONATIONS, -1244,The Mines - Floor 100,Museumsanity: Fire Quartz,MUSEUM_DONATIONS, -1245,The Mines - Floor 60,Museumsanity: Frozen Tear,MUSEUM_DONATIONS, -1246,The Mines - Floor 20,Museumsanity: Earth Crystal,MUSEUM_DONATIONS, -1247,The Mines - Floor 100,Museumsanity: Emerald,MUSEUM_DONATIONS, -1248,The Mines - Floor 60,Museumsanity: Aquamarine,MUSEUM_DONATIONS, -1249,The Mines - Floor 100,Museumsanity: Ruby,MUSEUM_DONATIONS, -1250,The Mines - Floor 20,Museumsanity: Amethyst,MUSEUM_DONATIONS, -1251,The Mines - Floor 20,Museumsanity: Topaz,MUSEUM_DONATIONS, -1252,The Mines - Floor 60,Museumsanity: Jade,MUSEUM_DONATIONS, -1253,The Mines - Floor 60,Museumsanity: Diamond,MUSEUM_DONATIONS, -1254,Skull Cavern Floor 100,Museumsanity: Prismatic Shard,MUSEUM_DONATIONS, -1255,Town,Museumsanity: Alamite,MUSEUM_DONATIONS, -1256,Town,Museumsanity: Bixite,MUSEUM_DONATIONS, -1257,Town,Museumsanity: Baryte,MUSEUM_DONATIONS, -1258,Town,Museumsanity: Aerinite,MUSEUM_DONATIONS, -1259,Town,Museumsanity: Calcite,MUSEUM_DONATIONS, -1260,Town,Museumsanity: Dolomite,MUSEUM_DONATIONS, -1261,Town,Museumsanity: Esperite,MUSEUM_DONATIONS, -1262,Town,Museumsanity: Fluorapatite,MUSEUM_DONATIONS, -1263,Town,Museumsanity: Geminite,MUSEUM_DONATIONS, -1264,Town,Museumsanity: Helvite,MUSEUM_DONATIONS, -1265,Town,Museumsanity: Jamborite,MUSEUM_DONATIONS, -1266,Town,Museumsanity: Jagoite,MUSEUM_DONATIONS, -1267,Town,Museumsanity: Kyanite,MUSEUM_DONATIONS, -1268,Town,Museumsanity: Lunarite,MUSEUM_DONATIONS, -1269,Town,Museumsanity: Malachite,MUSEUM_DONATIONS, -1270,Town,Museumsanity: Neptunite,MUSEUM_DONATIONS, -1271,Town,Museumsanity: Lemon Stone,MUSEUM_DONATIONS, -1272,Town,Museumsanity: Nekoite,MUSEUM_DONATIONS, -1273,Town,Museumsanity: Orpiment,MUSEUM_DONATIONS, -1274,Town,Museumsanity: Petrified Slime,MUSEUM_DONATIONS, -1275,Town,Museumsanity: Thunder Egg,MUSEUM_DONATIONS, -1276,Town,Museumsanity: Pyrite,MUSEUM_DONATIONS, -1277,Town,Museumsanity: Ocean Stone,MUSEUM_DONATIONS, -1278,Town,Museumsanity: Ghost Crystal,MUSEUM_DONATIONS, -1279,Town,Museumsanity: Tigerseye,MUSEUM_DONATIONS, -1280,Town,Museumsanity: Jasper,MUSEUM_DONATIONS, -1281,Town,Museumsanity: Opal,MUSEUM_DONATIONS, -1282,Town,Museumsanity: Fire Opal,MUSEUM_DONATIONS, -1283,Town,Museumsanity: Celestine,MUSEUM_DONATIONS, -1284,Town,Museumsanity: Marble,MUSEUM_DONATIONS, -1285,Town,Museumsanity: Sandstone,MUSEUM_DONATIONS, -1286,Town,Museumsanity: Granite,MUSEUM_DONATIONS, -1287,Town,Museumsanity: Basalt,MUSEUM_DONATIONS, -1288,Town,Museumsanity: Limestone,MUSEUM_DONATIONS, -1289,Town,Museumsanity: Soapstone,MUSEUM_DONATIONS, -1290,Town,Museumsanity: Hematite,MUSEUM_DONATIONS, -1291,Town,Museumsanity: Mudstone,MUSEUM_DONATIONS, -1292,Town,Museumsanity: Obsidian,MUSEUM_DONATIONS, -1293,Town,Museumsanity: Slate,MUSEUM_DONATIONS, -1294,Town,Museumsanity: Fairy Stone,MUSEUM_DONATIONS, -1295,Town,Museumsanity: Star Shards,MUSEUM_DONATIONS, -1301,Town,Friendsanity: Alex 1 <3,FRIENDSANITY, -1302,Town,Friendsanity: Alex 2 <3,FRIENDSANITY, -1303,Town,Friendsanity: Alex 3 <3,FRIENDSANITY, -1304,Town,Friendsanity: Alex 4 <3,FRIENDSANITY, -1305,Town,Friendsanity: Alex 5 <3,FRIENDSANITY, -1306,Town,Friendsanity: Alex 6 <3,FRIENDSANITY, -1307,Town,Friendsanity: Alex 7 <3,FRIENDSANITY, -1308,Town,Friendsanity: Alex 8 <3,FRIENDSANITY, -1309,Town,Friendsanity: Alex 9 <3,FRIENDSANITY, -1310,Town,Friendsanity: Alex 10 <3,FRIENDSANITY, -1311,Town,Friendsanity: Alex 11 <3,FRIENDSANITY, -1312,Town,Friendsanity: Alex 12 <3,FRIENDSANITY, -1313,Town,Friendsanity: Alex 13 <3,FRIENDSANITY, -1314,Town,Friendsanity: Alex 14 <3,FRIENDSANITY, -1315,Beach,Friendsanity: Elliott 1 <3,FRIENDSANITY, -1316,Beach,Friendsanity: Elliott 2 <3,FRIENDSANITY, -1317,Beach,Friendsanity: Elliott 3 <3,FRIENDSANITY, -1318,Beach,Friendsanity: Elliott 4 <3,FRIENDSANITY, -1319,Beach,Friendsanity: Elliott 5 <3,FRIENDSANITY, -1320,Beach,Friendsanity: Elliott 6 <3,FRIENDSANITY, -1321,Beach,Friendsanity: Elliott 7 <3,FRIENDSANITY, -1322,Beach,Friendsanity: Elliott 8 <3,FRIENDSANITY, -1323,Beach,Friendsanity: Elliott 9 <3,FRIENDSANITY, -1324,Beach,Friendsanity: Elliott 10 <3,FRIENDSANITY, -1325,Beach,Friendsanity: Elliott 11 <3,FRIENDSANITY, -1326,Beach,Friendsanity: Elliott 12 <3,FRIENDSANITY, -1327,Beach,Friendsanity: Elliott 13 <3,FRIENDSANITY, -1328,Beach,Friendsanity: Elliott 14 <3,FRIENDSANITY, -1329,Town,Friendsanity: Harvey 1 <3,FRIENDSANITY, -1330,Town,Friendsanity: Harvey 2 <3,FRIENDSANITY, -1331,Town,Friendsanity: Harvey 3 <3,FRIENDSANITY, -1332,Town,Friendsanity: Harvey 4 <3,FRIENDSANITY, -1333,Town,Friendsanity: Harvey 5 <3,FRIENDSANITY, -1334,Town,Friendsanity: Harvey 6 <3,FRIENDSANITY, -1335,Town,Friendsanity: Harvey 7 <3,FRIENDSANITY, -1336,Town,Friendsanity: Harvey 8 <3,FRIENDSANITY, -1337,Town,Friendsanity: Harvey 9 <3,FRIENDSANITY, -1338,Town,Friendsanity: Harvey 10 <3,FRIENDSANITY, -1339,Town,Friendsanity: Harvey 11 <3,FRIENDSANITY, -1340,Town,Friendsanity: Harvey 12 <3,FRIENDSANITY, -1341,Town,Friendsanity: Harvey 13 <3,FRIENDSANITY, -1342,Town,Friendsanity: Harvey 14 <3,FRIENDSANITY, -1343,Town,Friendsanity: Sam 1 <3,FRIENDSANITY, -1344,Town,Friendsanity: Sam 2 <3,FRIENDSANITY, -1345,Town,Friendsanity: Sam 3 <3,FRIENDSANITY, -1346,Town,Friendsanity: Sam 4 <3,FRIENDSANITY, -1347,Town,Friendsanity: Sam 5 <3,FRIENDSANITY, -1348,Town,Friendsanity: Sam 6 <3,FRIENDSANITY, -1349,Town,Friendsanity: Sam 7 <3,FRIENDSANITY, -1350,Town,Friendsanity: Sam 8 <3,FRIENDSANITY, -1351,Town,Friendsanity: Sam 9 <3,FRIENDSANITY, -1352,Town,Friendsanity: Sam 10 <3,FRIENDSANITY, -1353,Town,Friendsanity: Sam 11 <3,FRIENDSANITY, -1354,Town,Friendsanity: Sam 12 <3,FRIENDSANITY, -1355,Town,Friendsanity: Sam 13 <3,FRIENDSANITY, -1356,Town,Friendsanity: Sam 14 <3,FRIENDSANITY, -1357,Carpenter Shop,Friendsanity: Sebastian 1 <3,FRIENDSANITY, -1358,Carpenter Shop,Friendsanity: Sebastian 2 <3,FRIENDSANITY, -1359,Carpenter Shop,Friendsanity: Sebastian 3 <3,FRIENDSANITY, -1360,Carpenter Shop,Friendsanity: Sebastian 4 <3,FRIENDSANITY, -1361,Carpenter Shop,Friendsanity: Sebastian 5 <3,FRIENDSANITY, -1362,Carpenter Shop,Friendsanity: Sebastian 6 <3,FRIENDSANITY, -1363,Carpenter Shop,Friendsanity: Sebastian 7 <3,FRIENDSANITY, -1364,Carpenter Shop,Friendsanity: Sebastian 8 <3,FRIENDSANITY, -1365,Carpenter Shop,Friendsanity: Sebastian 9 <3,FRIENDSANITY, -1366,Carpenter Shop,Friendsanity: Sebastian 10 <3,FRIENDSANITY, -1367,Carpenter Shop,Friendsanity: Sebastian 11 <3,FRIENDSANITY, -1368,Carpenter Shop,Friendsanity: Sebastian 12 <3,FRIENDSANITY, -1369,Carpenter Shop,Friendsanity: Sebastian 13 <3,FRIENDSANITY, -1370,Carpenter Shop,Friendsanity: Sebastian 14 <3,FRIENDSANITY, -1371,Marnie's Ranch,Friendsanity: Shane 1 <3,FRIENDSANITY, -1372,Marnie's Ranch,Friendsanity: Shane 2 <3,FRIENDSANITY, -1373,Marnie's Ranch,Friendsanity: Shane 3 <3,FRIENDSANITY, -1374,Marnie's Ranch,Friendsanity: Shane 4 <3,FRIENDSANITY, -1375,Marnie's Ranch,Friendsanity: Shane 5 <3,FRIENDSANITY, -1376,Marnie's Ranch,Friendsanity: Shane 6 <3,FRIENDSANITY, -1377,Marnie's Ranch,Friendsanity: Shane 7 <3,FRIENDSANITY, -1378,Marnie's Ranch,Friendsanity: Shane 8 <3,FRIENDSANITY, -1379,Marnie's Ranch,Friendsanity: Shane 9 <3,FRIENDSANITY, -1380,Marnie's Ranch,Friendsanity: Shane 10 <3,FRIENDSANITY, -1381,Marnie's Ranch,Friendsanity: Shane 11 <3,FRIENDSANITY, -1382,Marnie's Ranch,Friendsanity: Shane 12 <3,FRIENDSANITY, -1383,Marnie's Ranch,Friendsanity: Shane 13 <3,FRIENDSANITY, -1384,Marnie's Ranch,Friendsanity: Shane 14 <3,FRIENDSANITY, -1385,Town,Friendsanity: Abigail 1 <3,FRIENDSANITY, -1386,Town,Friendsanity: Abigail 2 <3,FRIENDSANITY, -1387,Town,Friendsanity: Abigail 3 <3,FRIENDSANITY, -1388,Town,Friendsanity: Abigail 4 <3,FRIENDSANITY, -1389,Town,Friendsanity: Abigail 5 <3,FRIENDSANITY, -1390,Town,Friendsanity: Abigail 6 <3,FRIENDSANITY, -1391,Town,Friendsanity: Abigail 7 <3,FRIENDSANITY, -1392,Town,Friendsanity: Abigail 8 <3,FRIENDSANITY, -1393,Town,Friendsanity: Abigail 9 <3,FRIENDSANITY, -1394,Town,Friendsanity: Abigail 10 <3,FRIENDSANITY, -1395,Town,Friendsanity: Abigail 11 <3,FRIENDSANITY, -1396,Town,Friendsanity: Abigail 12 <3,FRIENDSANITY, -1397,Town,Friendsanity: Abigail 13 <3,FRIENDSANITY, -1398,Town,Friendsanity: Abigail 14 <3,FRIENDSANITY, -1399,Town,Friendsanity: Emily 1 <3,FRIENDSANITY, -1400,Town,Friendsanity: Emily 2 <3,FRIENDSANITY, -1401,Town,Friendsanity: Emily 3 <3,FRIENDSANITY, -1402,Town,Friendsanity: Emily 4 <3,FRIENDSANITY, -1403,Town,Friendsanity: Emily 5 <3,FRIENDSANITY, -1404,Town,Friendsanity: Emily 6 <3,FRIENDSANITY, -1405,Town,Friendsanity: Emily 7 <3,FRIENDSANITY, -1406,Town,Friendsanity: Emily 8 <3,FRIENDSANITY, -1407,Town,Friendsanity: Emily 9 <3,FRIENDSANITY, -1408,Town,Friendsanity: Emily 10 <3,FRIENDSANITY, -1409,Town,Friendsanity: Emily 11 <3,FRIENDSANITY, -1410,Town,Friendsanity: Emily 12 <3,FRIENDSANITY, -1411,Town,Friendsanity: Emily 13 <3,FRIENDSANITY, -1412,Town,Friendsanity: Emily 14 <3,FRIENDSANITY, -1413,Town,Friendsanity: Haley 1 <3,FRIENDSANITY, -1414,Town,Friendsanity: Haley 2 <3,FRIENDSANITY, -1415,Town,Friendsanity: Haley 3 <3,FRIENDSANITY, -1416,Town,Friendsanity: Haley 4 <3,FRIENDSANITY, -1417,Town,Friendsanity: Haley 5 <3,FRIENDSANITY, -1418,Town,Friendsanity: Haley 6 <3,FRIENDSANITY, -1419,Town,Friendsanity: Haley 7 <3,FRIENDSANITY, -1420,Town,Friendsanity: Haley 8 <3,FRIENDSANITY, -1421,Town,Friendsanity: Haley 9 <3,FRIENDSANITY, -1422,Town,Friendsanity: Haley 10 <3,FRIENDSANITY, -1423,Town,Friendsanity: Haley 11 <3,FRIENDSANITY, -1424,Town,Friendsanity: Haley 12 <3,FRIENDSANITY, -1425,Town,Friendsanity: Haley 13 <3,FRIENDSANITY, -1426,Town,Friendsanity: Haley 14 <3,FRIENDSANITY, -1427,Forest,Friendsanity: Leah 1 <3,FRIENDSANITY, -1428,Forest,Friendsanity: Leah 2 <3,FRIENDSANITY, -1429,Forest,Friendsanity: Leah 3 <3,FRIENDSANITY, -1430,Forest,Friendsanity: Leah 4 <3,FRIENDSANITY, -1431,Forest,Friendsanity: Leah 5 <3,FRIENDSANITY, -1432,Forest,Friendsanity: Leah 6 <3,FRIENDSANITY, -1433,Forest,Friendsanity: Leah 7 <3,FRIENDSANITY, -1434,Forest,Friendsanity: Leah 8 <3,FRIENDSANITY, -1435,Forest,Friendsanity: Leah 9 <3,FRIENDSANITY, -1436,Forest,Friendsanity: Leah 10 <3,FRIENDSANITY, -1437,Forest,Friendsanity: Leah 11 <3,FRIENDSANITY, -1438,Forest,Friendsanity: Leah 12 <3,FRIENDSANITY, -1439,Forest,Friendsanity: Leah 13 <3,FRIENDSANITY, -1440,Forest,Friendsanity: Leah 14 <3,FRIENDSANITY, -1441,Carpenter Shop,Friendsanity: Maru 1 <3,FRIENDSANITY, -1442,Carpenter Shop,Friendsanity: Maru 2 <3,FRIENDSANITY, -1443,Carpenter Shop,Friendsanity: Maru 3 <3,FRIENDSANITY, -1444,Carpenter Shop,Friendsanity: Maru 4 <3,FRIENDSANITY, -1445,Carpenter Shop,Friendsanity: Maru 5 <3,FRIENDSANITY, -1446,Carpenter Shop,Friendsanity: Maru 6 <3,FRIENDSANITY, -1447,Carpenter Shop,Friendsanity: Maru 7 <3,FRIENDSANITY, -1448,Carpenter Shop,Friendsanity: Maru 8 <3,FRIENDSANITY, -1449,Carpenter Shop,Friendsanity: Maru 9 <3,FRIENDSANITY, -1450,Carpenter Shop,Friendsanity: Maru 10 <3,FRIENDSANITY, -1451,Carpenter Shop,Friendsanity: Maru 11 <3,FRIENDSANITY, -1452,Carpenter Shop,Friendsanity: Maru 12 <3,FRIENDSANITY, -1453,Carpenter Shop,Friendsanity: Maru 13 <3,FRIENDSANITY, -1454,Carpenter Shop,Friendsanity: Maru 14 <3,FRIENDSANITY, -1455,Town,Friendsanity: Penny 1 <3,FRIENDSANITY, -1456,Town,Friendsanity: Penny 2 <3,FRIENDSANITY, -1457,Town,Friendsanity: Penny 3 <3,FRIENDSANITY, -1458,Town,Friendsanity: Penny 4 <3,FRIENDSANITY, -1459,Town,Friendsanity: Penny 5 <3,FRIENDSANITY, -1460,Town,Friendsanity: Penny 6 <3,FRIENDSANITY, -1461,Town,Friendsanity: Penny 7 <3,FRIENDSANITY, -1462,Town,Friendsanity: Penny 8 <3,FRIENDSANITY, -1463,Town,Friendsanity: Penny 9 <3,FRIENDSANITY, -1464,Town,Friendsanity: Penny 10 <3,FRIENDSANITY, -1465,Town,Friendsanity: Penny 11 <3,FRIENDSANITY, -1466,Town,Friendsanity: Penny 12 <3,FRIENDSANITY, -1467,Town,Friendsanity: Penny 13 <3,FRIENDSANITY, -1468,Town,Friendsanity: Penny 14 <3,FRIENDSANITY, -1469,Town,Friendsanity: Caroline 1 <3,FRIENDSANITY, -1470,Town,Friendsanity: Caroline 2 <3,FRIENDSANITY, -1471,Town,Friendsanity: Caroline 3 <3,FRIENDSANITY, -1472,Town,Friendsanity: Caroline 4 <3,FRIENDSANITY, -1473,Town,Friendsanity: Caroline 5 <3,FRIENDSANITY, -1474,Town,Friendsanity: Caroline 6 <3,FRIENDSANITY, -1475,Town,Friendsanity: Caroline 7 <3,FRIENDSANITY, -1476,Town,Friendsanity: Caroline 8 <3,FRIENDSANITY, -1477,Town,Friendsanity: Caroline 9 <3,FRIENDSANITY, -1478,Town,Friendsanity: Caroline 10 <3,FRIENDSANITY, -1480,Town,Friendsanity: Clint 1 <3,FRIENDSANITY, -1481,Town,Friendsanity: Clint 2 <3,FRIENDSANITY, -1482,Town,Friendsanity: Clint 3 <3,FRIENDSANITY, -1483,Town,Friendsanity: Clint 4 <3,FRIENDSANITY, -1484,Town,Friendsanity: Clint 5 <3,FRIENDSANITY, -1485,Town,Friendsanity: Clint 6 <3,FRIENDSANITY, -1486,Town,Friendsanity: Clint 7 <3,FRIENDSANITY, -1487,Town,Friendsanity: Clint 8 <3,FRIENDSANITY, -1488,Town,Friendsanity: Clint 9 <3,FRIENDSANITY, -1489,Town,Friendsanity: Clint 10 <3,FRIENDSANITY, -1491,Carpenter Shop,Friendsanity: Demetrius 1 <3,FRIENDSANITY, -1492,Carpenter Shop,Friendsanity: Demetrius 2 <3,FRIENDSANITY, -1493,Carpenter Shop,Friendsanity: Demetrius 3 <3,FRIENDSANITY, -1494,Carpenter Shop,Friendsanity: Demetrius 4 <3,FRIENDSANITY, -1495,Carpenter Shop,Friendsanity: Demetrius 5 <3,FRIENDSANITY, -1496,Carpenter Shop,Friendsanity: Demetrius 6 <3,FRIENDSANITY, -1497,Carpenter Shop,Friendsanity: Demetrius 7 <3,FRIENDSANITY, -1498,Carpenter Shop,Friendsanity: Demetrius 8 <3,FRIENDSANITY, -1499,Carpenter Shop,Friendsanity: Demetrius 9 <3,FRIENDSANITY, -1500,Carpenter Shop,Friendsanity: Demetrius 10 <3,FRIENDSANITY, -1502,The Mines,Friendsanity: Dwarf 1 <3,FRIENDSANITY, -1503,The Mines,Friendsanity: Dwarf 2 <3,FRIENDSANITY, -1504,The Mines,Friendsanity: Dwarf 3 <3,FRIENDSANITY, -1505,The Mines,Friendsanity: Dwarf 4 <3,FRIENDSANITY, -1506,The Mines,Friendsanity: Dwarf 5 <3,FRIENDSANITY, -1507,The Mines,Friendsanity: Dwarf 6 <3,FRIENDSANITY, -1508,The Mines,Friendsanity: Dwarf 7 <3,FRIENDSANITY, -1509,The Mines,Friendsanity: Dwarf 8 <3,FRIENDSANITY, -1510,The Mines,Friendsanity: Dwarf 9 <3,FRIENDSANITY, -1511,The Mines,Friendsanity: Dwarf 10 <3,FRIENDSANITY, -1513,Town,Friendsanity: Evelyn 1 <3,FRIENDSANITY, -1514,Town,Friendsanity: Evelyn 2 <3,FRIENDSANITY, -1515,Town,Friendsanity: Evelyn 3 <3,FRIENDSANITY, -1516,Town,Friendsanity: Evelyn 4 <3,FRIENDSANITY, -1517,Town,Friendsanity: Evelyn 5 <3,FRIENDSANITY, -1518,Town,Friendsanity: Evelyn 6 <3,FRIENDSANITY, -1519,Town,Friendsanity: Evelyn 7 <3,FRIENDSANITY, -1520,Town,Friendsanity: Evelyn 8 <3,FRIENDSANITY, -1521,Town,Friendsanity: Evelyn 9 <3,FRIENDSANITY, -1522,Town,Friendsanity: Evelyn 10 <3,FRIENDSANITY, -1524,Town,Friendsanity: George 1 <3,FRIENDSANITY, -1525,Town,Friendsanity: George 2 <3,FRIENDSANITY, -1526,Town,Friendsanity: George 3 <3,FRIENDSANITY, -1527,Town,Friendsanity: George 4 <3,FRIENDSANITY, -1528,Town,Friendsanity: George 5 <3,FRIENDSANITY, -1529,Town,Friendsanity: George 6 <3,FRIENDSANITY, -1530,Town,Friendsanity: George 7 <3,FRIENDSANITY, -1531,Town,Friendsanity: George 8 <3,FRIENDSANITY, -1532,Town,Friendsanity: George 9 <3,FRIENDSANITY, -1533,Town,Friendsanity: George 10 <3,FRIENDSANITY, -1535,Town,Friendsanity: Gus 1 <3,FRIENDSANITY, -1536,Town,Friendsanity: Gus 2 <3,FRIENDSANITY, -1537,Town,Friendsanity: Gus 3 <3,FRIENDSANITY, -1538,Town,Friendsanity: Gus 4 <3,FRIENDSANITY, -1539,Town,Friendsanity: Gus 5 <3,FRIENDSANITY, -1540,Town,Friendsanity: Gus 6 <3,FRIENDSANITY, -1541,Town,Friendsanity: Gus 7 <3,FRIENDSANITY, -1542,Town,Friendsanity: Gus 8 <3,FRIENDSANITY, -1543,Town,Friendsanity: Gus 9 <3,FRIENDSANITY, -1544,Town,Friendsanity: Gus 10 <3,FRIENDSANITY, -1546,Marnie's Ranch,Friendsanity: Jas 1 <3,FRIENDSANITY, -1547,Marnie's Ranch,Friendsanity: Jas 2 <3,FRIENDSANITY, -1548,Marnie's Ranch,Friendsanity: Jas 3 <3,FRIENDSANITY, -1549,Marnie's Ranch,Friendsanity: Jas 4 <3,FRIENDSANITY, -1550,Marnie's Ranch,Friendsanity: Jas 5 <3,FRIENDSANITY, -1551,Marnie's Ranch,Friendsanity: Jas 6 <3,FRIENDSANITY, -1552,Marnie's Ranch,Friendsanity: Jas 7 <3,FRIENDSANITY, -1553,Marnie's Ranch,Friendsanity: Jas 8 <3,FRIENDSANITY, -1554,Marnie's Ranch,Friendsanity: Jas 9 <3,FRIENDSANITY, -1555,Marnie's Ranch,Friendsanity: Jas 10 <3,FRIENDSANITY, -1557,Town,Friendsanity: Jodi 1 <3,FRIENDSANITY, -1558,Town,Friendsanity: Jodi 2 <3,FRIENDSANITY, -1559,Town,Friendsanity: Jodi 3 <3,FRIENDSANITY, -1560,Town,Friendsanity: Jodi 4 <3,FRIENDSANITY, -1561,Town,Friendsanity: Jodi 5 <3,FRIENDSANITY, -1562,Town,Friendsanity: Jodi 6 <3,FRIENDSANITY, -1563,Town,Friendsanity: Jodi 7 <3,FRIENDSANITY, -1564,Town,Friendsanity: Jodi 8 <3,FRIENDSANITY, -1565,Town,Friendsanity: Jodi 9 <3,FRIENDSANITY, -1566,Town,Friendsanity: Jodi 10 <3,FRIENDSANITY, -1568,Town,Friendsanity: Kent 1 <3,FRIENDSANITY, -1569,Town,Friendsanity: Kent 2 <3,FRIENDSANITY, -1570,Town,Friendsanity: Kent 3 <3,FRIENDSANITY, -1571,Town,Friendsanity: Kent 4 <3,FRIENDSANITY, -1572,Town,Friendsanity: Kent 5 <3,FRIENDSANITY, -1573,Town,Friendsanity: Kent 6 <3,FRIENDSANITY, -1574,Town,Friendsanity: Kent 7 <3,FRIENDSANITY, -1575,Town,Friendsanity: Kent 8 <3,FRIENDSANITY, -1576,Town,Friendsanity: Kent 9 <3,FRIENDSANITY, -1577,Town,Friendsanity: Kent 10 <3,FRIENDSANITY, -1579,Sewer,Friendsanity: Krobus 1 <3,FRIENDSANITY, -1580,Sewer,Friendsanity: Krobus 2 <3,FRIENDSANITY, -1581,Sewer,Friendsanity: Krobus 3 <3,FRIENDSANITY, -1582,Sewer,Friendsanity: Krobus 4 <3,FRIENDSANITY, -1583,Sewer,Friendsanity: Krobus 5 <3,FRIENDSANITY, -1584,Sewer,Friendsanity: Krobus 6 <3,FRIENDSANITY, -1585,Sewer,Friendsanity: Krobus 7 <3,FRIENDSANITY, -1586,Sewer,Friendsanity: Krobus 8 <3,FRIENDSANITY, -1587,Sewer,Friendsanity: Krobus 9 <3,FRIENDSANITY, -1588,Sewer,Friendsanity: Krobus 10 <3,FRIENDSANITY, -1590,Leo's Hut,Friendsanity: Leo 1 <3,"FRIENDSANITY,GINGER_ISLAND", -1591,Leo's Hut,Friendsanity: Leo 2 <3,"FRIENDSANITY,GINGER_ISLAND", -1592,Leo's Hut,Friendsanity: Leo 3 <3,"FRIENDSANITY,GINGER_ISLAND", -1593,Leo's Hut,Friendsanity: Leo 4 <3,"FRIENDSANITY,GINGER_ISLAND", -1594,Leo's Hut,Friendsanity: Leo 5 <3,"FRIENDSANITY,GINGER_ISLAND", -1595,Leo's Hut,Friendsanity: Leo 6 <3,"FRIENDSANITY,GINGER_ISLAND", -1596,Leo's Hut,Friendsanity: Leo 7 <3,"FRIENDSANITY,GINGER_ISLAND", -1597,Leo's Hut,Friendsanity: Leo 8 <3,"FRIENDSANITY,GINGER_ISLAND", -1598,Leo's Hut,Friendsanity: Leo 9 <3,"FRIENDSANITY,GINGER_ISLAND", -1599,Leo's Hut,Friendsanity: Leo 10 <3,"FRIENDSANITY,GINGER_ISLAND", -1601,Town,Friendsanity: Lewis 1 <3,FRIENDSANITY, -1602,Town,Friendsanity: Lewis 2 <3,FRIENDSANITY, -1603,Town,Friendsanity: Lewis 3 <3,FRIENDSANITY, -1604,Town,Friendsanity: Lewis 4 <3,FRIENDSANITY, -1605,Town,Friendsanity: Lewis 5 <3,FRIENDSANITY, -1606,Town,Friendsanity: Lewis 6 <3,FRIENDSANITY, -1607,Town,Friendsanity: Lewis 7 <3,FRIENDSANITY, -1608,Town,Friendsanity: Lewis 8 <3,FRIENDSANITY, -1609,Town,Friendsanity: Lewis 9 <3,FRIENDSANITY, -1610,Town,Friendsanity: Lewis 10 <3,FRIENDSANITY, -1612,Mountain,Friendsanity: Linus 1 <3,FRIENDSANITY, -1613,Mountain,Friendsanity: Linus 2 <3,FRIENDSANITY, -1614,Mountain,Friendsanity: Linus 3 <3,FRIENDSANITY, -1615,Mountain,Friendsanity: Linus 4 <3,FRIENDSANITY, -1616,Mountain,Friendsanity: Linus 5 <3,FRIENDSANITY, -1617,Mountain,Friendsanity: Linus 6 <3,FRIENDSANITY, -1618,Mountain,Friendsanity: Linus 7 <3,FRIENDSANITY, -1619,Mountain,Friendsanity: Linus 8 <3,FRIENDSANITY, -1620,Mountain,Friendsanity: Linus 9 <3,FRIENDSANITY, -1621,Mountain,Friendsanity: Linus 10 <3,FRIENDSANITY, -1623,Marnie's Ranch,Friendsanity: Marnie 1 <3,FRIENDSANITY, -1624,Marnie's Ranch,Friendsanity: Marnie 2 <3,FRIENDSANITY, -1625,Marnie's Ranch,Friendsanity: Marnie 3 <3,FRIENDSANITY, -1626,Marnie's Ranch,Friendsanity: Marnie 4 <3,FRIENDSANITY, -1627,Marnie's Ranch,Friendsanity: Marnie 5 <3,FRIENDSANITY, -1628,Marnie's Ranch,Friendsanity: Marnie 6 <3,FRIENDSANITY, -1629,Marnie's Ranch,Friendsanity: Marnie 7 <3,FRIENDSANITY, -1630,Marnie's Ranch,Friendsanity: Marnie 8 <3,FRIENDSANITY, -1631,Marnie's Ranch,Friendsanity: Marnie 9 <3,FRIENDSANITY, -1632,Marnie's Ranch,Friendsanity: Marnie 10 <3,FRIENDSANITY, -1634,Town,Friendsanity: Pam 1 <3,FRIENDSANITY, -1635,Town,Friendsanity: Pam 2 <3,FRIENDSANITY, -1636,Town,Friendsanity: Pam 3 <3,FRIENDSANITY, -1637,Town,Friendsanity: Pam 4 <3,FRIENDSANITY, -1638,Town,Friendsanity: Pam 5 <3,FRIENDSANITY, -1639,Town,Friendsanity: Pam 6 <3,FRIENDSANITY, -1640,Town,Friendsanity: Pam 7 <3,FRIENDSANITY, -1641,Town,Friendsanity: Pam 8 <3,FRIENDSANITY, -1642,Town,Friendsanity: Pam 9 <3,FRIENDSANITY, -1643,Town,Friendsanity: Pam 10 <3,FRIENDSANITY, -1645,Town,Friendsanity: Pierre 1 <3,FRIENDSANITY, -1646,Town,Friendsanity: Pierre 2 <3,FRIENDSANITY, -1647,Town,Friendsanity: Pierre 3 <3,FRIENDSANITY, -1648,Town,Friendsanity: Pierre 4 <3,FRIENDSANITY, -1649,Town,Friendsanity: Pierre 5 <3,FRIENDSANITY, -1650,Town,Friendsanity: Pierre 6 <3,FRIENDSANITY, -1651,Town,Friendsanity: Pierre 7 <3,FRIENDSANITY, -1652,Town,Friendsanity: Pierre 8 <3,FRIENDSANITY, -1653,Town,Friendsanity: Pierre 9 <3,FRIENDSANITY, -1654,Town,Friendsanity: Pierre 10 <3,FRIENDSANITY, -1656,Carpenter Shop,Friendsanity: Robin 1 <3,FRIENDSANITY, -1657,Carpenter Shop,Friendsanity: Robin 2 <3,FRIENDSANITY, -1658,Carpenter Shop,Friendsanity: Robin 3 <3,FRIENDSANITY, -1659,Carpenter Shop,Friendsanity: Robin 4 <3,FRIENDSANITY, -1660,Carpenter Shop,Friendsanity: Robin 5 <3,FRIENDSANITY, -1661,Carpenter Shop,Friendsanity: Robin 6 <3,FRIENDSANITY, -1662,Carpenter Shop,Friendsanity: Robin 7 <3,FRIENDSANITY, -1663,Carpenter Shop,Friendsanity: Robin 8 <3,FRIENDSANITY, -1664,Carpenter Shop,Friendsanity: Robin 9 <3,FRIENDSANITY, -1665,Carpenter Shop,Friendsanity: Robin 10 <3,FRIENDSANITY, -1667,Oasis,Friendsanity: Sandy 1 <3,FRIENDSANITY, -1668,Oasis,Friendsanity: Sandy 2 <3,FRIENDSANITY, -1669,Oasis,Friendsanity: Sandy 3 <3,FRIENDSANITY, -1670,Oasis,Friendsanity: Sandy 4 <3,FRIENDSANITY, -1671,Oasis,Friendsanity: Sandy 5 <3,FRIENDSANITY, -1672,Oasis,Friendsanity: Sandy 6 <3,FRIENDSANITY, -1673,Oasis,Friendsanity: Sandy 7 <3,FRIENDSANITY, -1674,Oasis,Friendsanity: Sandy 8 <3,FRIENDSANITY, -1675,Oasis,Friendsanity: Sandy 9 <3,FRIENDSANITY, -1676,Oasis,Friendsanity: Sandy 10 <3,FRIENDSANITY, -1678,Town,Friendsanity: Vincent 1 <3,FRIENDSANITY, -1679,Town,Friendsanity: Vincent 2 <3,FRIENDSANITY, -1680,Town,Friendsanity: Vincent 3 <3,FRIENDSANITY, -1681,Town,Friendsanity: Vincent 4 <3,FRIENDSANITY, -1682,Town,Friendsanity: Vincent 5 <3,FRIENDSANITY, -1683,Town,Friendsanity: Vincent 6 <3,FRIENDSANITY, -1684,Town,Friendsanity: Vincent 7 <3,FRIENDSANITY, -1685,Town,Friendsanity: Vincent 8 <3,FRIENDSANITY, -1686,Town,Friendsanity: Vincent 9 <3,FRIENDSANITY, -1687,Town,Friendsanity: Vincent 10 <3,FRIENDSANITY, -1689,Beach,Friendsanity: Willy 1 <3,FRIENDSANITY, -1690,Beach,Friendsanity: Willy 2 <3,FRIENDSANITY, -1691,Beach,Friendsanity: Willy 3 <3,FRIENDSANITY, -1692,Beach,Friendsanity: Willy 4 <3,FRIENDSANITY, -1693,Beach,Friendsanity: Willy 5 <3,FRIENDSANITY, -1694,Beach,Friendsanity: Willy 6 <3,FRIENDSANITY, -1695,Beach,Friendsanity: Willy 7 <3,FRIENDSANITY, -1696,Beach,Friendsanity: Willy 8 <3,FRIENDSANITY, -1697,Beach,Friendsanity: Willy 9 <3,FRIENDSANITY, -1698,Beach,Friendsanity: Willy 10 <3,FRIENDSANITY, -1700,Forest,Friendsanity: Wizard 1 <3,FRIENDSANITY, -1701,Forest,Friendsanity: Wizard 2 <3,FRIENDSANITY, -1702,Forest,Friendsanity: Wizard 3 <3,FRIENDSANITY, -1703,Forest,Friendsanity: Wizard 4 <3,FRIENDSANITY, -1704,Forest,Friendsanity: Wizard 5 <3,FRIENDSANITY, -1705,Forest,Friendsanity: Wizard 6 <3,FRIENDSANITY, -1706,Forest,Friendsanity: Wizard 7 <3,FRIENDSANITY, -1707,Forest,Friendsanity: Wizard 8 <3,FRIENDSANITY, -1708,Forest,Friendsanity: Wizard 9 <3,FRIENDSANITY, -1709,Forest,Friendsanity: Wizard 10 <3,FRIENDSANITY, -1710,Farm,Friendsanity: Pet 1 <3,FRIENDSANITY, -1711,Farm,Friendsanity: Pet 2 <3,FRIENDSANITY, -1712,Farm,Friendsanity: Pet 3 <3,FRIENDSANITY, -1713,Farm,Friendsanity: Pet 4 <3,FRIENDSANITY, -1714,Farm,Friendsanity: Pet 5 <3,FRIENDSANITY, -1715,Farm,Friendsanity: Friend 1 <3,FRIENDSANITY, -1716,Farm,Friendsanity: Friend 2 <3,FRIENDSANITY, -1717,Farm,Friendsanity: Friend 3 <3,FRIENDSANITY, -1718,Farm,Friendsanity: Friend 4 <3,FRIENDSANITY, -1719,Farm,Friendsanity: Friend 5 <3,FRIENDSANITY, -1720,Farm,Friendsanity: Friend 6 <3,FRIENDSANITY, -1721,Farm,Friendsanity: Friend 7 <3,FRIENDSANITY, -1722,Farm,Friendsanity: Friend 8 <3,FRIENDSANITY, -1723,Farm,Friendsanity: Suitor 9 <3,FRIENDSANITY, -1724,Farm,Friendsanity: Suitor 10 <3,FRIENDSANITY, -1725,Farm,Friendsanity: Spouse 11 <3,FRIENDSANITY, -1726,Farm,Friendsanity: Spouse 12 <3,FRIENDSANITY, -1727,Farm,Friendsanity: Spouse 13 <3,FRIENDSANITY, -1728,Farm,Friendsanity: Spouse 14 <3,FRIENDSANITY, -2001,Town,Egg Hunt Victory,FESTIVAL, -2002,Town,Egg Festival: Strawberry Seeds,FESTIVAL, -2003,Forest,Dance with someone,FESTIVAL, -2004,Forest,Rarecrow #5 (Woman),FESTIVAL, -2005,Beach,Luau Soup,FESTIVAL, -2006,Beach,Dance of the Moonlight Jellies,FESTIVAL, -2007,Town,Smashing Stone,FESTIVAL, -2008,Town,Grange Display,FESTIVAL, -2009,Town,Rarecrow #1 (Turnip Head),FESTIVAL, -2010,Town,Fair Stardrop,FESTIVAL, -2011,Town,Spirit's Eve Maze,FESTIVAL, -2012,Town,Rarecrow #2 (Witch),FESTIVAL, -2013,Forest,Win Fishing Competition,FESTIVAL, -2014,Forest,Rarecrow #4 (Snowman),FESTIVAL, -2015,Beach,Mermaid Pearl,FESTIVAL, -2016,Beach,Cone Hat,FESTIVAL_HARD, -2017,Beach,Iridium Fireplace,FESTIVAL_HARD, -2018,Beach,Rarecrow #7 (Tanuki),FESTIVAL, -2019,Beach,Rarecrow #8 (Tribal Mask),FESTIVAL, -2020,Beach,Lupini: Red Eagle,FESTIVAL, -2021,Beach,Lupini: Portrait Of A Mermaid,FESTIVAL, -2022,Beach,Lupini: Solar Kingdom,FESTIVAL, -2023,Beach,Lupini: Clouds,FESTIVAL_HARD, -2024,Beach,Lupini: 1000 Years From Now,FESTIVAL_HARD, -2025,Beach,Lupini: Three Trees,FESTIVAL_HARD, -2026,Beach,Lupini: The Serpent,FESTIVAL_HARD, -2027,Beach,Lupini: 'Tropical Fish #173',FESTIVAL_HARD, -2028,Beach,Lupini: Land Of Clay,FESTIVAL_HARD, -2029,Town,Secret Santa,FESTIVAL, -2030,Town,The Legend of the Winter Star,FESTIVAL, -2031,Farm,Collect All Rarecrows,FESTIVAL, -2101,Town,Island Ingredients,"GINGER_ISLAND,SPECIAL_ORDER_BOARD", -2102,Town,Cave Patrol,SPECIAL_ORDER_BOARD, -2103,Town,Aquatic Overpopulation,SPECIAL_ORDER_BOARD, -2104,Town,Biome Balance,SPECIAL_ORDER_BOARD, -2105,Town,Rock Rejuvenation,SPECIAL_ORDER_BOARD, -2106,Town,Gifts for George,SPECIAL_ORDER_BOARD, -2107,Town,Fragments of the past,"GINGER_ISLAND,SPECIAL_ORDER_BOARD", -2108,Town,Gus' Famous Omelet,SPECIAL_ORDER_BOARD, -2109,Town,Crop Order,SPECIAL_ORDER_BOARD, -2110,Town,Community Cleanup,SPECIAL_ORDER_BOARD, -2111,Town,The Strong Stuff,SPECIAL_ORDER_BOARD, -2112,Town,Pierre's Prime Produce,SPECIAL_ORDER_BOARD, -2113,Town,Robin's Project,SPECIAL_ORDER_BOARD, -2114,Town,Robin's Resource Rush,SPECIAL_ORDER_BOARD, -2115,Town,Juicy Bugs Wanted!,SPECIAL_ORDER_BOARD, -2116,Town,Tropical Fish,"GINGER_ISLAND,SPECIAL_ORDER_BOARD", -2117,Town,A Curious Substance,SPECIAL_ORDER_BOARD, -2118,Town,Prismatic Jelly,SPECIAL_ORDER_BOARD, -2151,Qi's Walnut Room,Qi's Crop,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2152,Qi's Walnut Room,Let's Play A Game,"GINGER_ISLAND,SPECIAL_ORDER_QI,JUNIMO_KART", -2153,Qi's Walnut Room,Four Precious Stones,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2154,Qi's Walnut Room,Qi's Hungry Challenge,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2155,Qi's Walnut Room,Qi's Cuisine,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2156,Qi's Walnut Room,Qi's Kindness,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2157,Qi's Walnut Room,Extended Family,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2158,Qi's Walnut Room,Danger In The Deep,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2159,Qi's Walnut Room,Skull Cavern Invasion,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2160,Qi's Walnut Room,Qi's Prismatic Grange,"GINGER_ISLAND,SPECIAL_ORDER_QI", -2201,Boat Tunnel,Repair Ticket Machine,GINGER_ISLAND, -2202,Boat Tunnel,Repair Boat Hull,GINGER_ISLAND, -2203,Boat Tunnel,Repair Boat Anchor,GINGER_ISLAND, -2204,Leo's Hut,Leo's Parrot,"GINGER_ISLAND,WALNUT_PURCHASE", -2205,Island South,Island West Turtle,"GINGER_ISLAND,WALNUT_PURCHASE", -2206,Island West,Island Farmhouse,"GINGER_ISLAND,WALNUT_PURCHASE", -2207,Island Farmhouse,Island Mailbox,"GINGER_ISLAND,WALNUT_PURCHASE", -2208,Island Farmhouse,Farm Obelisk,"GINGER_ISLAND,WALNUT_PURCHASE", -2209,Island North,Dig Site Bridge,"GINGER_ISLAND,WALNUT_PURCHASE", -2210,Island North,Island Trader,"GINGER_ISLAND,WALNUT_PURCHASE", -2211,Volcano Entrance,Volcano Bridge,"GINGER_ISLAND,WALNUT_PURCHASE", -2212,Volcano - Floor 5,Volcano Exit Shortcut,"GINGER_ISLAND,WALNUT_PURCHASE", -2213,Island South,Island Resort,"GINGER_ISLAND,WALNUT_PURCHASE", -2214,Island West,Parrot Express,"GINGER_ISLAND,WALNUT_PURCHASE", -2215,Dig Site,Open Professor Snail Cave,"GINGER_ISLAND", -2216,Field Office,Complete Island Field Office,"GINGER_ISLAND", -2301,Farm,Harvest Amaranth,"CROPSANITY", -2302,Farm,Harvest Artichoke,"CROPSANITY", -2303,Farm,Harvest Beet,"CROPSANITY", -2304,Farm,Harvest Blue Jazz,"CROPSANITY", -2305,Farm,Harvest Blueberry,"CROPSANITY", -2306,Farm,Harvest Bok Choy,"CROPSANITY", -2307,Farm,Harvest Cauliflower,"CROPSANITY", -2308,Farm,Harvest Corn,"CROPSANITY", -2309,Farm,Harvest Cranberries,"CROPSANITY", -2310,Farm,Harvest Eggplant,"CROPSANITY", -2311,Farm,Harvest Fairy Rose,"CROPSANITY", -2312,Farm,Harvest Garlic,"CROPSANITY", -2313,Farm,Harvest Grape,"CROPSANITY", -2314,Farm,Harvest Green Bean,"CROPSANITY", -2315,Farm,Harvest Hops,"CROPSANITY", -2316,Farm,Harvest Hot Pepper,"CROPSANITY", -2317,Farm,Harvest Kale,"CROPSANITY", -2318,Farm,Harvest Melon,"CROPSANITY", -2319,Farm,Harvest Parsnip,"CROPSANITY", -2320,Farm,Harvest Poppy,"CROPSANITY", -2321,Farm,Harvest Potato,"CROPSANITY", -2322,Farm,Harvest Pumpkin,"CROPSANITY", -2323,Farm,Harvest Radish,"CROPSANITY", -2324,Farm,Harvest Red Cabbage,"CROPSANITY", -2325,Farm,Harvest Rhubarb,"CROPSANITY", -2326,Farm,Harvest Starfruit,"CROPSANITY", -2327,Farm,Harvest Strawberry,"CROPSANITY", -2328,Farm,Harvest Summer Spangle,"CROPSANITY", -2329,Farm,Harvest Sunflower,"CROPSANITY", -2330,Farm,Harvest Tomato,"CROPSANITY", -2331,Farm,Harvest Tulip,"CROPSANITY", -2332,Farm,Harvest Unmilled Rice,"CROPSANITY", -2333,Farm,Harvest Wheat,"CROPSANITY", -2334,Farm,Harvest Yam,"CROPSANITY", -2335,Farm,Harvest Cactus Fruit,"CROPSANITY", -2336,Farm,Harvest Pineapple,"CROPSANITY,GINGER_ISLAND", -2337,Farm,Harvest Taro Root,"CROPSANITY,GINGER_ISLAND", -2338,Farm,Harvest Sweet Gem Berry,"CROPSANITY", -2339,Farm,Harvest Apple,"CROPSANITY", -2340,Farm,Harvest Apricot,"CROPSANITY", -2341,Farm,Harvest Cherry,"CROPSANITY", -2342,Farm,Harvest Orange,"CROPSANITY", -2343,Farm,Harvest Pomegranate,"CROPSANITY", -2344,Farm,Harvest Peach,"CROPSANITY", -2345,Farm,Harvest Banana,"CROPSANITY,GINGER_ISLAND", -2346,Farm,Harvest Mango,"CROPSANITY,GINGER_ISLAND", -2347,Farm,Harvest Coffee Bean,"CROPSANITY", -5001,Stardew Valley,Level 1 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5002,Stardew Valley,Level 2 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5003,Stardew Valley,Level 3 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5004,Stardew Valley,Level 4 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5005,Stardew Valley,Level 5 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5006,Stardew Valley,Level 6 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5007,Stardew Valley,Level 7 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5008,Stardew Valley,Level 8 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5009,Stardew Valley,Level 9 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5010,Stardew Valley,Level 10 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill -5011,Stardew Valley,Level 1 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5012,Stardew Valley,Level 2 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5013,Stardew Valley,Level 3 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5014,Stardew Valley,Level 4 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5015,Stardew Valley,Level 5 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5016,Stardew Valley,Level 6 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5017,Stardew Valley,Level 7 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5018,Stardew Valley,Level 8 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5019,Stardew Valley,Level 9 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5020,Stardew Valley,Level 10 Socializing,"SOCIALIZING_LEVEL,SKILL_LEVEL",Socializing Skill -5021,Stardew Valley,Level 1 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5022,Stardew Valley,Level 2 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5023,Stardew Valley,Level 3 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5024,Stardew Valley,Level 4 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5025,Stardew Valley,Level 5 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5026,Stardew Valley,Level 6 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5027,Stardew Valley,Level 7 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5028,Stardew Valley,Level 8 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5029,Stardew Valley,Level 9 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5030,Stardew Valley,Level 10 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic -5031,Stardew Valley,Level 1 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5032,Stardew Valley,Level 2 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5033,Stardew Valley,Level 3 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5034,Stardew Valley,Level 4 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5035,Stardew Valley,Level 5 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5036,Stardew Valley,Level 6 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5037,Stardew Valley,Level 7 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5038,Stardew Valley,Level 8 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5039,Stardew Valley,Level 9 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5040,Stardew Valley,Level 10 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill -5041,Stardew Valley,Level 1 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5042,Stardew Valley,Level 2 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5043,Stardew Valley,Level 3 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5044,Stardew Valley,Level 4 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5045,Stardew Valley,Level 5 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5046,Stardew Valley,Level 6 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5047,Stardew Valley,Level 7 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5048,Stardew Valley,Level 8 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5049,Stardew Valley,Level 9 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5050,Stardew Valley,Level 10 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology -5051,Stardew Valley,Level 1 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5052,Stardew Valley,Level 2 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5053,Stardew Valley,Level 3 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5054,Stardew Valley,Level 4 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5055,Stardew Valley,Level 5 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5056,Stardew Valley,Level 6 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5057,Stardew Valley,Level 7 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5058,Stardew Valley,Level 8 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5059,Stardew Valley,Level 9 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5060,Stardew Valley,Level 10 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill -5501,Stardew Valley,Analyze: Clear Debris,MANDATORY,Magic -5502,Stardew Valley,Analyze: Till,MANDATORY,Magic -5503,Stardew Valley,Analyze: Water,MANDATORY,Magic -5504,Stardew Valley,Analyze All Toil School Locations,MANDATORY,Magic -5505,Stardew Valley,Analyze: Evac,MANDATORY,Magic -5506,Stardew Valley,Analyze: Haste,MANDATORY,Magic -5507,Stardew Valley,Analyze: Heal,MANDATORY,Magic -5508,Stardew Valley,Analyze All Life School Locations,MANDATORY,Magic -5509,Stardew Valley,Analyze: Descend,MANDATORY,Magic -5510,Stardew Valley,Analyze: Fireball,MANDATORY,Magic -5511,Stardew Valley,Analyze: Frostbite,MANDATORY,Magic -5512,Stardew Valley,Analyze All Elemental School Locations,MANDATORY,Magic -5513,Stardew Valley,Analyze: Lantern,MANDATORY,Magic -5514,Stardew Valley,Analyze: Tendrils,MANDATORY,Magic -5515,Stardew Valley,Analyze: Shockwave,MANDATORY,Magic -5516,Stardew Valley,Analyze All Nature School Locations,MANDATORY,Magic -5517,Stardew Valley,Analyze: Meteor,MANDATORY,Magic -5518,Stardew Valley,Analyze: Lucksteal,MANDATORY,Magic -5519,Stardew Valley,Analyze: Bloodmana,MANDATORY,Magic -5520,Stardew Valley,Analyze All Eldritch School Locations,MANDATORY,Magic -5521,Stardew Valley,Analyze Every Magic School Location,MANDATORY,Magic -6001,Town,Friendsanity: Jasper 1 <3,FRIENDSANITY,Professor Jasper Thomas -6002,Town,Friendsanity: Jasper 2 <3,FRIENDSANITY,Professor Jasper Thomas -6003,Town,Friendsanity: Jasper 3 <3,FRIENDSANITY,Professor Jasper Thomas -6004,Town,Friendsanity: Jasper 4 <3,FRIENDSANITY,Professor Jasper Thomas -6005,Town,Friendsanity: Jasper 5 <3,FRIENDSANITY,Professor Jasper Thomas -6006,Town,Friendsanity: Jasper 6 <3,FRIENDSANITY,Professor Jasper Thomas -6007,Town,Friendsanity: Jasper 7 <3,FRIENDSANITY,Professor Jasper Thomas -6008,Town,Friendsanity: Jasper 8 <3,FRIENDSANITY,Professor Jasper Thomas -6009,Town,Friendsanity: Jasper 9 <3,FRIENDSANITY,Professor Jasper Thomas -6010,Town,Friendsanity: Jasper 10 <3,FRIENDSANITY,Professor Jasper Thomas -6011,Town,Friendsanity: Jasper 11 <3,FRIENDSANITY,Professor Jasper Thomas -6012,Town,Friendsanity: Jasper 12 <3,FRIENDSANITY,Professor Jasper Thomas -6013,Town,Friendsanity: Jasper 13 <3,FRIENDSANITY,Professor Jasper Thomas -6014,Town,Friendsanity: Jasper 14 <3,FRIENDSANITY,Professor Jasper Thomas -6015,Secret Woods,Friendsanity: Yoba 1 <3,FRIENDSANITY,Custom NPC - Yoba -6016,Secret Woods,Friendsanity: Yoba 2 <3,FRIENDSANITY,Custom NPC - Yoba -6017,Secret Woods,Friendsanity: Yoba 3 <3,FRIENDSANITY,Custom NPC - Yoba -6018,Secret Woods,Friendsanity: Yoba 4 <3,FRIENDSANITY,Custom NPC - Yoba -6019,Secret Woods,Friendsanity: Yoba 5 <3,FRIENDSANITY,Custom NPC - Yoba -6020,Secret Woods,Friendsanity: Yoba 6 <3,FRIENDSANITY,Custom NPC - Yoba -6021,Secret Woods,Friendsanity: Yoba 7 <3,FRIENDSANITY,Custom NPC - Yoba -6022,Secret Woods,Friendsanity: Yoba 8 <3,FRIENDSANITY,Custom NPC - Yoba -6023,Secret Woods,Friendsanity: Yoba 9 <3,FRIENDSANITY,Custom NPC - Yoba -6024,Secret Woods,Friendsanity: Yoba 10 <3,FRIENDSANITY,Custom NPC - Yoba -6025,Forest,Friendsanity: Mr. Ginger 1 <3,FRIENDSANITY,Mister Ginger (cat npc) -6026,Forest,Friendsanity: Mr. Ginger 2 <3,FRIENDSANITY,Mister Ginger (cat npc) -6027,Forest,Friendsanity: Mr. Ginger 3 <3,FRIENDSANITY,Mister Ginger (cat npc) -6028,Forest,Friendsanity: Mr. Ginger 4 <3,FRIENDSANITY,Mister Ginger (cat npc) -6029,Forest,Friendsanity: Mr. Ginger 5 <3,FRIENDSANITY,Mister Ginger (cat npc) -6030,Forest,Friendsanity: Mr. Ginger 6 <3,FRIENDSANITY,Mister Ginger (cat npc) -6031,Forest,Friendsanity: Mr. Ginger 7 <3,FRIENDSANITY,Mister Ginger (cat npc) -6032,Forest,Friendsanity: Mr. Ginger 8 <3,FRIENDSANITY,Mister Ginger (cat npc) -6033,Forest,Friendsanity: Mr. Ginger 9 <3,FRIENDSANITY,Mister Ginger (cat npc) -6034,Forest,Friendsanity: Mr. Ginger 10 <3,FRIENDSANITY,Mister Ginger (cat npc) -6035,Town,Friendsanity: Ayeisha 1 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6036,Town,Friendsanity: Ayeisha 2 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6037,Town,Friendsanity: Ayeisha 3 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6038,Town,Friendsanity: Ayeisha 4 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6039,Town,Friendsanity: Ayeisha 5 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6040,Town,Friendsanity: Ayeisha 6 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6041,Town,Friendsanity: Ayeisha 7 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6042,Town,Friendsanity: Ayeisha 8 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6043,Town,Friendsanity: Ayeisha 9 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6044,Town,Friendsanity: Ayeisha 10 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) -6045,Town,Friendsanity: Shiko 1 <3,FRIENDSANITY,Shiko - New Custom NPC -6046,Town,Friendsanity: Shiko 2 <3,FRIENDSANITY,Shiko - New Custom NPC -6047,Town,Friendsanity: Shiko 3 <3,FRIENDSANITY,Shiko - New Custom NPC -6048,Town,Friendsanity: Shiko 4 <3,FRIENDSANITY,Shiko - New Custom NPC -6049,Town,Friendsanity: Shiko 5 <3,FRIENDSANITY,Shiko - New Custom NPC -6050,Town,Friendsanity: Shiko 6 <3,FRIENDSANITY,Shiko - New Custom NPC -6051,Town,Friendsanity: Shiko 7 <3,FRIENDSANITY,Shiko - New Custom NPC -6052,Town,Friendsanity: Shiko 8 <3,FRIENDSANITY,Shiko - New Custom NPC -6053,Town,Friendsanity: Shiko 9 <3,FRIENDSANITY,Shiko - New Custom NPC -6054,Town,Friendsanity: Shiko 10 <3,FRIENDSANITY,Shiko - New Custom NPC -6055,Town,Friendsanity: Shiko 11 <3,FRIENDSANITY,Shiko - New Custom NPC -6056,Town,Friendsanity: Shiko 12 <3,FRIENDSANITY,Shiko - New Custom NPC -6057,Town,Friendsanity: Shiko 13 <3,FRIENDSANITY,Shiko - New Custom NPC -6058,Town,Friendsanity: Shiko 14 <3,FRIENDSANITY,Shiko - New Custom NPC -6059,Forest,Friendsanity: Wellwick 1 <3,FRIENDSANITY,'Prophet' Wellwick -6060,Forest,Friendsanity: Wellwick 2 <3,FRIENDSANITY,'Prophet' Wellwick -6061,Forest,Friendsanity: Wellwick 3 <3,FRIENDSANITY,'Prophet' Wellwick -6062,Forest,Friendsanity: Wellwick 4 <3,FRIENDSANITY,'Prophet' Wellwick -6063,Forest,Friendsanity: Wellwick 5 <3,FRIENDSANITY,'Prophet' Wellwick -6064,Forest,Friendsanity: Wellwick 6 <3,FRIENDSANITY,'Prophet' Wellwick -6065,Forest,Friendsanity: Wellwick 7 <3,FRIENDSANITY,'Prophet' Wellwick -6066,Forest,Friendsanity: Wellwick 8 <3,FRIENDSANITY,'Prophet' Wellwick -6067,Forest,Friendsanity: Wellwick 9 <3,FRIENDSANITY,'Prophet' Wellwick -6068,Forest,Friendsanity: Wellwick 10 <3,FRIENDSANITY,'Prophet' Wellwick -6069,Forest,Friendsanity: Wellwick 11 <3,FRIENDSANITY,'Prophet' Wellwick -6070,Forest,Friendsanity: Wellwick 12 <3,FRIENDSANITY,'Prophet' Wellwick -6071,Forest,Friendsanity: Wellwick 13 <3,FRIENDSANITY,'Prophet' Wellwick -6072,Forest,Friendsanity: Wellwick 14 <3,FRIENDSANITY,'Prophet' Wellwick -6073,Forest,Friendsanity: Delores 1 <3,FRIENDSANITY,Delores - Custom NPC -6074,Forest,Friendsanity: Delores 2 <3,FRIENDSANITY,Delores - Custom NPC -6075,Forest,Friendsanity: Delores 3 <3,FRIENDSANITY,Delores - Custom NPC -6076,Forest,Friendsanity: Delores 4 <3,FRIENDSANITY,Delores - Custom NPC -6077,Forest,Friendsanity: Delores 5 <3,FRIENDSANITY,Delores - Custom NPC -6078,Forest,Friendsanity: Delores 6 <3,FRIENDSANITY,Delores - Custom NPC -6079,Forest,Friendsanity: Delores 7 <3,FRIENDSANITY,Delores - Custom NPC -6080,Forest,Friendsanity: Delores 8 <3,FRIENDSANITY,Delores - Custom NPC -6081,Forest,Friendsanity: Delores 9 <3,FRIENDSANITY,Delores - Custom NPC -6082,Forest,Friendsanity: Delores 10 <3,FRIENDSANITY,Delores - Custom NPC -6083,Forest,Friendsanity: Delores 11 <3,FRIENDSANITY,Delores - Custom NPC -6084,Forest,Friendsanity: Delores 12 <3,FRIENDSANITY,Delores - Custom NPC -6085,Forest,Friendsanity: Delores 13 <3,FRIENDSANITY,Delores - Custom NPC -6086,Forest,Friendsanity: Delores 14 <3,FRIENDSANITY,Delores - Custom NPC -6087,Forest,Friendsanity: Alec 1 <3,FRIENDSANITY,Alec Revisited -6088,Forest,Friendsanity: Alec 2 <3,FRIENDSANITY,Alec Revisited -6089,Forest,Friendsanity: Alec 3 <3,FRIENDSANITY,Alec Revisited -6090,Forest,Friendsanity: Alec 4 <3,FRIENDSANITY,Alec Revisited -6091,Forest,Friendsanity: Alec 5 <3,FRIENDSANITY,Alec Revisited -6092,Forest,Friendsanity: Alec 6 <3,FRIENDSANITY,Alec Revisited -6093,Forest,Friendsanity: Alec 7 <3,FRIENDSANITY,Alec Revisited -6094,Forest,Friendsanity: Alec 8 <3,FRIENDSANITY,Alec Revisited -6095,Forest,Friendsanity: Alec 9 <3,FRIENDSANITY,Alec Revisited -6096,Forest,Friendsanity: Alec 10 <3,FRIENDSANITY,Alec Revisited -6097,Forest,Friendsanity: Alec 11 <3,FRIENDSANITY,Alec Revisited -6098,Forest,Friendsanity: Alec 12 <3,FRIENDSANITY,Alec Revisited -6099,Forest,Friendsanity: Alec 13 <3,FRIENDSANITY,Alec Revisited -6100,Forest,Friendsanity: Alec 14 <3,FRIENDSANITY,Alec Revisited -6101,Forest,Friendsanity: Eugene 1 <3,FRIENDSANITY,Custom NPC Eugene -6102,Forest,Friendsanity: Eugene 2 <3,FRIENDSANITY,Custom NPC Eugene -6103,Forest,Friendsanity: Eugene 3 <3,FRIENDSANITY,Custom NPC Eugene -6104,Forest,Friendsanity: Eugene 4 <3,FRIENDSANITY,Custom NPC Eugene -6105,Forest,Friendsanity: Eugene 5 <3,FRIENDSANITY,Custom NPC Eugene -6106,Forest,Friendsanity: Eugene 6 <3,FRIENDSANITY,Custom NPC Eugene -6107,Forest,Friendsanity: Eugene 7 <3,FRIENDSANITY,Custom NPC Eugene -6108,Forest,Friendsanity: Eugene 8 <3,FRIENDSANITY,Custom NPC Eugene -6109,Forest,Friendsanity: Eugene 9 <3,FRIENDSANITY,Custom NPC Eugene -6110,Forest,Friendsanity: Eugene 10 <3,FRIENDSANITY,Custom NPC Eugene -6111,Forest,Friendsanity: Eugene 11 <3,FRIENDSANITY,Custom NPC Eugene -6112,Forest,Friendsanity: Eugene 12 <3,FRIENDSANITY,Custom NPC Eugene -6113,Forest,Friendsanity: Eugene 13 <3,FRIENDSANITY,Custom NPC Eugene -6114,Forest,Friendsanity: Eugene 14 <3,FRIENDSANITY,Custom NPC Eugene -6115,Forest,Friendsanity: Juna 1 <3,FRIENDSANITY,Juna - Roommate NPC -6116,Forest,Friendsanity: Juna 2 <3,FRIENDSANITY,Juna - Roommate NPC -6117,Forest,Friendsanity: Juna 3 <3,FRIENDSANITY,Juna - Roommate NPC -6118,Forest,Friendsanity: Juna 4 <3,FRIENDSANITY,Juna - Roommate NPC -6119,Forest,Friendsanity: Juna 5 <3,FRIENDSANITY,Juna - Roommate NPC -6120,Forest,Friendsanity: Juna 6 <3,FRIENDSANITY,Juna - Roommate NPC -6121,Forest,Friendsanity: Juna 7 <3,FRIENDSANITY,Juna - Roommate NPC -6122,Forest,Friendsanity: Juna 8 <3,FRIENDSANITY,Juna - Roommate NPC -6123,Forest,Friendsanity: Juna 9 <3,FRIENDSANITY,Juna - Roommate NPC -6124,Forest,Friendsanity: Juna 10 <3,FRIENDSANITY,Juna - Roommate NPC -6125,Town,Friendsanity: Riley 1 <3,FRIENDSANITY,Custom NPC - Riley -6126,Town,Friendsanity: Riley 2 <3,FRIENDSANITY,Custom NPC - Riley -6127,Town,Friendsanity: Riley 3 <3,FRIENDSANITY,Custom NPC - Riley -6128,Town,Friendsanity: Riley 4 <3,FRIENDSANITY,Custom NPC - Riley -6129,Town,Friendsanity: Riley 5 <3,FRIENDSANITY,Custom NPC - Riley -6130,Town,Friendsanity: Riley 6 <3,FRIENDSANITY,Custom NPC - Riley -6131,Town,Friendsanity: Riley 7 <3,FRIENDSANITY,Custom NPC - Riley -6132,Town,Friendsanity: Riley 8 <3,FRIENDSANITY,Custom NPC - Riley -6133,Town,Friendsanity: Riley 9 <3,FRIENDSANITY,Custom NPC - Riley -6134,Town,Friendsanity: Riley 10 <3,FRIENDSANITY,Custom NPC - Riley -6135,Town,Friendsanity: Riley 11 <3,FRIENDSANITY,Custom NPC - Riley -6136,Town,Friendsanity: Riley 12 <3,FRIENDSANITY,Custom NPC - Riley -6137,Town,Friendsanity: Riley 13 <3,FRIENDSANITY,Custom NPC - Riley -6138,Town,Friendsanity: Riley 14 <3,FRIENDSANITY,Custom NPC - Riley -7001,Pierre's General Store,Premium Pack,BACKPACK,Bigger Backpack -7002,Carpenter Shop,Tractor Garage Blueprint,BUILDING_BLUEPRINT,Tractor Mod -7003,The Deep Woods Depth 100,Pet the Deep Woods Unicorn,MANDATORY,DeepWoods -7004,The Deep Woods Depth 50,Breaking Up Deep Woods Gingerbread House,MANDATORY,DeepWoods -7005,The Deep Woods Depth 50,Drinking From Deep Woods Fountain,MANDATORY,DeepWoods -7006,The Deep Woods Depth 100,Deep Woods Treasure Chest,MANDATORY,DeepWoods -7007,The Deep Woods Depth 100,Deep Woods Trash Bin,MANDATORY,DeepWoods -7008,The Deep Woods Depth 50,Chop Down a Deep Woods Iridium Tree,MANDATORY,DeepWoods -7009,The Deep Woods Depth 10,The Deep Woods: Depth 10,ELEVATOR,DeepWoods -7010,The Deep Woods Depth 20,The Deep Woods: Depth 20,ELEVATOR,DeepWoods -7011,The Deep Woods Depth 30,The Deep Woods: Depth 30,ELEVATOR,DeepWoods -7012,The Deep Woods Depth 40,The Deep Woods: Depth 40,ELEVATOR,DeepWoods -7013,The Deep Woods Depth 50,The Deep Woods: Depth 50,ELEVATOR,DeepWoods -7014,The Deep Woods Depth 60,The Deep Woods: Depth 60,ELEVATOR,DeepWoods -7015,The Deep Woods Depth 70,The Deep Woods: Depth 70,ELEVATOR,DeepWoods -7016,The Deep Woods Depth 80,The Deep Woods: Depth 80,ELEVATOR,DeepWoods -7017,The Deep Woods Depth 90,The Deep Woods: Depth 90,ELEVATOR,DeepWoods -7018,The Deep Woods Depth 100,The Deep Woods: Depth 100,ELEVATOR,DeepWoods -7019,The Deep Woods Depth 50,Purify an Infested Lichtung,MANDATORY,DeepWoods -7020,Skull Cavern Floor 25,Skull Cavern: Floor 25,ELEVATOR,Skull Cavern Elevator -7021,Skull Cavern Floor 50,Skull Cavern: Floor 50,ELEVATOR,Skull Cavern Elevator -7022,Skull Cavern Floor 75,Skull Cavern: Floor 75,ELEVATOR,Skull Cavern Elevator -7023,Skull Cavern Floor 100,Skull Cavern: Floor 100,ELEVATOR,Skull Cavern Elevator -7024,Skull Cavern Floor 125,Skull Cavern: Floor 125,ELEVATOR,Skull Cavern Elevator -7025,Skull Cavern Floor 150,Skull Cavern: Floor 150,ELEVATOR,Skull Cavern Elevator -7026,Skull Cavern Floor 175,Skull Cavern: Floor 175,ELEVATOR,Skull Cavern Elevator -7027,Skull Cavern Floor 200,Skull Cavern: Floor 200,ELEVATOR,Skull Cavern Elevator -7501,Town,Missing Envelope,"MANDATORY,QUEST",Ayeisha - The Postal Worker (Custom NPC) -7502,Town,Lost Emerald Ring,"MANDATORY,QUEST",Ayeisha - The Postal Worker (Custom NPC) -7503,Forest,Mr.Ginger's request,"MANDATORY,QUEST",Mister Ginger (cat npc) -7504,Forest,Juna's Drink Request,"MANDATORY,QUEST",Juna - Roommate NPC -7505,Forest,Juna's BFF Request,"MANDATORY,QUEST",Juna - Roommate NPC -7506,Forest,Juna's Monster Mash,SPECIAL_ORDER_BOARD,Juna - Roommate NPC +id,region,name,tags,mod_name +1,Crafts Room,Spring Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +2,Crafts Room,Summer Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +3,Crafts Room,Fall Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +4,Crafts Room,Winter Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +5,Crafts Room,Construction Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +6,Crafts Room,Exotic Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +7,Pantry,Spring Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +8,Pantry,Summer Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +9,Pantry,Fall Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +10,Pantry,Quality Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +11,Pantry,Animal Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +12,Pantry,Artisan Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +13,Fish Tank,River Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +14,Fish Tank,Lake Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +15,Fish Tank,Ocean Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +16,Fish Tank,Night Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +17,Fish Tank,Crab Pot Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +18,Fish Tank,Specialty Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +19,Boiler Room,Blacksmith's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +20,Boiler Room,Geologist's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +21,Boiler Room,Adventurer's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +22,Bulletin Board,Chef's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +23,Bulletin Board,Dye Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +24,Bulletin Board,Field Research Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +25,Bulletin Board,Fodder Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +26,Bulletin Board,Enchanter's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +27,Vault,"2,500g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +28,Vault,"5,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +29,Vault,"10,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +30,Vault,"25,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +31,Abandoned JojaMart,The Missing Bundle,"BUNDLE,MANDATORY", +32,Crafts Room,Complete Crafts Room,"COMMUNITY_CENTER_ROOM,MANDATORY", +33,Pantry,Complete Pantry,"COMMUNITY_CENTER_ROOM,MANDATORY", +34,Fish Tank,Complete Fish Tank,"COMMUNITY_CENTER_ROOM,MANDATORY", +35,Boiler Room,Complete Boiler Room,"COMMUNITY_CENTER_ROOM,MANDATORY", +36,Bulletin Board,Complete Bulletin Board,"COMMUNITY_CENTER_ROOM,MANDATORY", +37,Vault,Complete Vault,"COMMUNITY_CENTER_ROOM,MANDATORY", +39,Fish Tank,Deep Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +40,Crafts Room,Beach Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +41,Crafts Room,Mines Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +42,Crafts Room,Desert Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +43,Crafts Room,Island Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +44,Crafts Room,Sticky Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +45,Crafts Room,Wild Medicine Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +46,Crafts Room,Quality Foraging Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,CRAFTS_ROOM_BUNDLE", +47,Boiler Room,Paleontologist's Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,BOILER_ROOM_BUNDLE", +48,Boiler Room,Archaeologist's Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,BOILER_ROOM_BUNDLE", +49,Pantry,Slime Farmer Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +50,Pantry,Rare Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +51,Pantry,Fish Farmer's Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +52,Pantry,Garden Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +53,Pantry,Brewer's Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +54,Pantry,Orchard Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +55,Pantry,Island Crops Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,PANTRY_BUNDLE", +56,Pantry,Agronomist's Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +57,Fish Tank,Tackle Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +58,Fish Tank,Trash Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +59,Fish Tank,Spring Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +60,Fish Tank,Summer Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +61,Fish Tank,Fall Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +62,Fish Tank,Winter Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +63,Fish Tank,Rain Fishing Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +64,Fish Tank,Quality Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +65,Fish Tank,Master Fisher's Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +66,Fish Tank,Legendary Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +67,Fish Tank,Island Fish Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +68,Fish Tank,Master Baiter Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,FISH_TANK_BUNDLE", +69,Boiler Room,Recycling Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +70,Boiler Room,Treasure Hunter's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +71,Boiler Room,Engineer's Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +72,Boiler Room,Demolition Bundle,"BOILER_ROOM_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +73,Bulletin Board,Children's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +74,Bulletin Board,Forager's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +75,Bulletin Board,Home Cook's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +76,Bulletin Board,Bartender's Bundle,"BULLETIN_BOARD_BUNDLE,BUNDLE,COMMUNITY_CENTER_BUNDLE", +77,Vault,250g Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +78,Vault,500g Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +79,Vault,"1,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +80,Vault,"2,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +81,Vault,"5,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +82,Vault,"1,500g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +83,Vault,"3,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +84,Vault,"3,500g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +85,Vault,"4,500g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +86,Vault,"6,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +87,Vault,"7,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +88,Vault,"9,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +89,Vault,"14,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +90,Vault,"15,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +91,Vault,"18,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +92,Vault,"20,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +93,Vault,"35,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +94,Vault,"40,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +95,Vault,"45,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +96,Vault,"100,000g Bundle","BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +97,Vault,Gambler's Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +98,Vault,Carnival Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +99,Vault,Walnut Hunter Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +100,Vault,Qi's Helper Bundle,"BUNDLE,COMMUNITY_CENTER_BUNDLE,VAULT_BUNDLE", +101,Pierre's General Store,Large Pack,BACKPACK, +102,Pierre's General Store,Deluxe Pack,BACKPACK, +103,Blacksmith Copper Upgrades,Copper Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", +104,Blacksmith Iron Upgrades,Iron Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", +105,Blacksmith Gold Upgrades,Gold Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", +106,Blacksmith Iridium Upgrades,Iridium Hoe Upgrade,"HOE_UPGRADE,TOOL_UPGRADE", +107,Blacksmith Copper Upgrades,Copper Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", +108,Blacksmith Iron Upgrades,Iron Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", +109,Blacksmith Gold Upgrades,Gold Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", +110,Blacksmith Iridium Upgrades,Iridium Pickaxe Upgrade,"PICKAXE_UPGRADE,TOOL_UPGRADE", +111,Blacksmith Copper Upgrades,Copper Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", +112,Blacksmith Iron Upgrades,Iron Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", +113,Blacksmith Gold Upgrades,Gold Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", +114,Blacksmith Iridium Upgrades,Iridium Axe Upgrade,"AXE_UPGRADE,TOOL_UPGRADE", +115,Blacksmith Copper Upgrades,Copper Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", +116,Blacksmith Iron Upgrades,Iron Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", +117,Blacksmith Gold Upgrades,Gold Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", +118,Blacksmith Iridium Upgrades,Iridium Watering Can Upgrade,"TOOL_UPGRADE,WATERING_CAN_UPGRADE", +119,Blacksmith Copper Upgrades,Copper Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", +120,Blacksmith Iron Upgrades,Iron Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", +121,Blacksmith Gold Upgrades,Gold Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", +122,Blacksmith Iridium Upgrades,Iridium Trash Can Upgrade,"TOOL_UPGRADE,TRASH_CAN_UPGRADE", +123,Willy's Fish Shop,Purchase Training Rod,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", +124,Beach,Bamboo Pole Cutscene,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", +125,Willy's Fish Shop,Purchase Fiberglass Rod,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", +126,Willy's Fish Shop,Purchase Iridium Rod,"FISHING_ROD_UPGRADE,TOOL_UPGRADE", +201,The Mines - Floor 10,The Mines Floor 10 Treasure,"MANDATORY,THE_MINES_TREASURE", +202,The Mines - Floor 20,The Mines Floor 20 Treasure,"MANDATORY,THE_MINES_TREASURE", +203,The Mines - Floor 40,The Mines Floor 40 Treasure,"MANDATORY,THE_MINES_TREASURE", +204,The Mines - Floor 50,The Mines Floor 50 Treasure,"MANDATORY,THE_MINES_TREASURE", +205,The Mines - Floor 60,The Mines Floor 60 Treasure,"MANDATORY,THE_MINES_TREASURE", +206,The Mines - Floor 70,The Mines Floor 70 Treasure,"MANDATORY,THE_MINES_TREASURE", +207,The Mines - Floor 80,The Mines Floor 80 Treasure,"MANDATORY,THE_MINES_TREASURE", +208,The Mines - Floor 90,The Mines Floor 90 Treasure,"MANDATORY,THE_MINES_TREASURE", +209,The Mines - Floor 100,The Mines Floor 100 Treasure,"MANDATORY,THE_MINES_TREASURE", +210,The Mines - Floor 110,The Mines Floor 110 Treasure,"MANDATORY,THE_MINES_TREASURE", +211,The Mines - Floor 120,The Mines Floor 120 Treasure,"MANDATORY,THE_MINES_TREASURE", +212,Quarry Mine,Grim Reaper statue,MANDATORY, +213,The Mines,The Mines Entrance Cutscene,MANDATORY, +214,The Mines - Floor 5,Floor 5 Elevator,ELEVATOR, +215,The Mines - Floor 10,Floor 10 Elevator,ELEVATOR, +216,The Mines - Floor 15,Floor 15 Elevator,ELEVATOR, +217,The Mines - Floor 20,Floor 20 Elevator,ELEVATOR, +218,The Mines - Floor 25,Floor 25 Elevator,ELEVATOR, +219,The Mines - Floor 30,Floor 30 Elevator,ELEVATOR, +220,The Mines - Floor 35,Floor 35 Elevator,ELEVATOR, +221,The Mines - Floor 40,Floor 40 Elevator,ELEVATOR, +222,The Mines - Floor 45,Floor 45 Elevator,ELEVATOR, +223,The Mines - Floor 50,Floor 50 Elevator,ELEVATOR, +224,The Mines - Floor 55,Floor 55 Elevator,ELEVATOR, +225,The Mines - Floor 60,Floor 60 Elevator,ELEVATOR, +226,The Mines - Floor 65,Floor 65 Elevator,ELEVATOR, +227,The Mines - Floor 70,Floor 70 Elevator,ELEVATOR, +228,The Mines - Floor 75,Floor 75 Elevator,ELEVATOR, +229,The Mines - Floor 80,Floor 80 Elevator,ELEVATOR, +230,The Mines - Floor 85,Floor 85 Elevator,ELEVATOR, +231,The Mines - Floor 90,Floor 90 Elevator,ELEVATOR, +232,The Mines - Floor 95,Floor 95 Elevator,ELEVATOR, +233,The Mines - Floor 100,Floor 100 Elevator,ELEVATOR, +234,The Mines - Floor 105,Floor 105 Elevator,ELEVATOR, +235,The Mines - Floor 110,Floor 110 Elevator,ELEVATOR, +236,The Mines - Floor 115,Floor 115 Elevator,ELEVATOR, +237,The Mines - Floor 120,Floor 120 Elevator,ELEVATOR, +250,Shipping,Demetrius's Breakthrough,MANDATORY +251,Volcano - Floor 10,Volcano Caldera Treasure,"GINGER_ISLAND,MANDATORY", +301,Farming,Level 1 Farming,"FARMING_LEVEL,SKILL_LEVEL", +302,Farming,Level 2 Farming,"FARMING_LEVEL,SKILL_LEVEL", +303,Farming,Level 3 Farming,"FARMING_LEVEL,SKILL_LEVEL", +304,Farming,Level 4 Farming,"FARMING_LEVEL,SKILL_LEVEL", +305,Farming,Level 5 Farming,"FARMING_LEVEL,SKILL_LEVEL", +306,Farming,Level 6 Farming,"FARMING_LEVEL,SKILL_LEVEL", +307,Farming,Level 7 Farming,"FARMING_LEVEL,SKILL_LEVEL", +308,Farming,Level 8 Farming,"FARMING_LEVEL,SKILL_LEVEL", +309,Farming,Level 9 Farming,"FARMING_LEVEL,SKILL_LEVEL", +310,Farming,Level 10 Farming,"FARMING_LEVEL,SKILL_LEVEL", +311,Fishing,Level 1 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +312,Fishing,Level 2 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +313,Fishing,Level 3 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +314,Fishing,Level 4 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +315,Fishing,Level 5 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +316,Fishing,Level 6 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +317,Fishing,Level 7 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +318,Fishing,Level 8 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +319,Fishing,Level 9 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +320,Fishing,Level 10 Fishing,"FISHING_LEVEL,SKILL_LEVEL", +321,Forest,Level 1 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +322,Forest,Level 2 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +323,Forest,Level 3 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +324,Forest,Level 4 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +325,Forest,Level 5 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +326,Secret Woods,Level 6 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +327,Secret Woods,Level 7 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +328,Secret Woods,Level 8 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +329,Secret Woods,Level 9 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +330,Secret Woods,Level 10 Foraging,"FORAGING_LEVEL,SKILL_LEVEL", +331,The Mines - Floor 20,Level 1 Mining,"MINING_LEVEL,SKILL_LEVEL", +332,The Mines - Floor 30,Level 2 Mining,"MINING_LEVEL,SKILL_LEVEL", +333,The Mines - Floor 40,Level 3 Mining,"MINING_LEVEL,SKILL_LEVEL", +334,The Mines - Floor 50,Level 4 Mining,"MINING_LEVEL,SKILL_LEVEL", +335,The Mines - Floor 60,Level 5 Mining,"MINING_LEVEL,SKILL_LEVEL", +336,The Mines - Floor 70,Level 6 Mining,"MINING_LEVEL,SKILL_LEVEL", +337,The Mines - Floor 80,Level 7 Mining,"MINING_LEVEL,SKILL_LEVEL", +338,The Mines - Floor 90,Level 8 Mining,"MINING_LEVEL,SKILL_LEVEL", +339,The Mines - Floor 100,Level 9 Mining,"MINING_LEVEL,SKILL_LEVEL", +340,The Mines - Floor 110,Level 10 Mining,"MINING_LEVEL,SKILL_LEVEL", +341,The Mines - Floor 20,Level 1 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +342,The Mines - Floor 30,Level 2 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +343,The Mines - Floor 40,Level 3 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +344,The Mines - Floor 50,Level 4 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +345,The Mines - Floor 60,Level 5 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +346,The Mines - Floor 70,Level 6 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +347,The Mines - Floor 80,Level 7 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +348,The Mines - Floor 90,Level 8 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +349,The Mines - Floor 100,Level 9 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +350,The Mines - Floor 110,Level 10 Combat,"COMBAT_LEVEL,SKILL_LEVEL", +401,Carpenter Shop,Coop Blueprint,BUILDING_BLUEPRINT, +402,Carpenter Shop,Big Coop Blueprint,BUILDING_BLUEPRINT, +403,Carpenter Shop,Deluxe Coop Blueprint,BUILDING_BLUEPRINT, +404,Carpenter Shop,Barn Blueprint,BUILDING_BLUEPRINT, +405,Carpenter Shop,Big Barn Blueprint,BUILDING_BLUEPRINT, +406,Carpenter Shop,Deluxe Barn Blueprint,BUILDING_BLUEPRINT, +407,Carpenter Shop,Well Blueprint,BUILDING_BLUEPRINT, +408,Carpenter Shop,Silo Blueprint,BUILDING_BLUEPRINT, +409,Carpenter Shop,Mill Blueprint,BUILDING_BLUEPRINT, +410,Carpenter Shop,Shed Blueprint,BUILDING_BLUEPRINT, +411,Carpenter Shop,Big Shed Blueprint,BUILDING_BLUEPRINT, +412,Carpenter Shop,Fish Pond Blueprint,BUILDING_BLUEPRINT, +413,Carpenter Shop,Stable Blueprint,BUILDING_BLUEPRINT, +414,Carpenter Shop,Slime Hutch Blueprint,BUILDING_BLUEPRINT, +415,Carpenter Shop,Shipping Bin Blueprint,BUILDING_BLUEPRINT, +416,Carpenter Shop,Kitchen Blueprint,BUILDING_BLUEPRINT, +417,Carpenter Shop,Kids Room Blueprint,BUILDING_BLUEPRINT, +418,Carpenter Shop,Cellar Blueprint,BUILDING_BLUEPRINT, +501,Town,Introductions,"STORY_QUEST", +502,Town,How To Win Friends,"STORY_QUEST", +503,Farm,Getting Started,"STORY_QUEST", +504,Farm,Raising Animals,"STORY_QUEST", +505,Farm,Advancement,"STORY_QUEST", +506,Museum,Archaeology,"STORY_QUEST", +507,Wizard Tower,Meet The Wizard,"STORY_QUEST", +508,The Mines - Floor 5,Forging Ahead,"STORY_QUEST", +509,The Mines - Floor 10,Smelting,"STORY_QUEST", +510,The Mines - Floor 15,Initiation,"STORY_QUEST", +511,Mountain,Robin's Lost Axe,"STORY_QUEST", +512,Town,Jodi's Request,"STORY_QUEST", +513,Town,"Mayor's ""Shorts""","STORY_QUEST", +514,Mountain,Blackberry Basket,"STORY_QUEST", +515,Marnie's Ranch,Marnie's Request,"STORY_QUEST", +516,Town,Pam Is Thirsty,"STORY_QUEST", +517,Wizard Tower,A Dark Reagent,"STORY_QUEST", +518,Forest,Cow's Delight,"STORY_QUEST", +519,Skull Cavern Entrance,The Skull Key,"STORY_QUEST", +520,Mountain,Crop Research,"STORY_QUEST", +521,Alex's House,Knee Therapy,"STORY_QUEST", +522,Mountain,Robin's Request,"STORY_QUEST", +523,Skull Cavern Floor 25,Qi's Challenge,"STORY_QUEST", +524,Desert,The Mysterious Qi,"STORY_QUEST", +525,Town,Carving Pumpkins,"STORY_QUEST", +526,Town,A Winter Mystery,"STORY_QUEST", +527,Secret Woods,Strange Note,"STORY_QUEST", +528,Skull Cavern Floor 100,Cryptic Note,"STORY_QUEST", +529,Town,Fresh Fruit,"STORY_QUEST", +530,Mountain,Aquatic Research,"STORY_QUEST", +531,Town,A Soldier's Star,"STORY_QUEST", +532,Town,Mayor's Need,"STORY_QUEST", +533,Saloon,Wanted: Lobster,"STORY_QUEST", +534,Town,Pam Needs Juice,"STORY_QUEST", +535,Sam's House,Fish Casserole,"STORY_QUEST", +536,Beach,Catch A Squid,"STORY_QUEST", +537,Saloon,Fish Stew,"STORY_QUEST", +538,Pierre's General Store,Pierre's Notice,"STORY_QUEST", +539,Clint's Blacksmith,Clint's Attempt,"STORY_QUEST", +540,Town,A Favor For Clint,"STORY_QUEST", +541,Wizard Tower,Staff Of Power,"STORY_QUEST", +542,Town,Granny's Gift,"STORY_QUEST", +543,Desert,Exotic Spirits,"STORY_QUEST", +544,Fishing,Catch a Lingcod,"STORY_QUEST", +545,Island West,The Pirate's Wife,"GINGER_ISLAND,STORY_QUEST", +546,Mutant Bug Lair,Dark Talisman,"STORY_QUEST", +547,Witch's Swamp,Goblin Problem,"STORY_QUEST", +548,Witch's Hut,Magic Ink,"STORY_QUEST", +601,JotPK World 1,JotPK: Boots 1,"ARCADE_MACHINE,JOTPK", +602,JotPK World 1,JotPK: Boots 2,"ARCADE_MACHINE,JOTPK", +603,JotPK World 1,JotPK: Gun 1,"ARCADE_MACHINE,JOTPK", +604,JotPK World 2,JotPK: Gun 2,"ARCADE_MACHINE,JOTPK", +605,JotPK World 2,JotPK: Gun 3,"ARCADE_MACHINE,JOTPK", +606,JotPK World 3,JotPK: Super Gun,"ARCADE_MACHINE,JOTPK", +607,JotPK World 1,JotPK: Ammo 1,"ARCADE_MACHINE,JOTPK", +608,JotPK World 2,JotPK: Ammo 2,"ARCADE_MACHINE,JOTPK", +609,JotPK World 3,JotPK: Ammo 3,"ARCADE_MACHINE,JOTPK", +610,JotPK World 1,JotPK: Cowboy 1,"ARCADE_MACHINE,JOTPK", +611,JotPK World 2,JotPK: Cowboy 2,"ARCADE_MACHINE,JOTPK", +612,Junimo Kart 1,Junimo Kart: Crumble Cavern,"ARCADE_MACHINE,JUNIMO_KART", +613,Junimo Kart 1,Junimo Kart: Slippery Slopes,"ARCADE_MACHINE,JUNIMO_KART", +614,Junimo Kart 2,Junimo Kart: Secret Level,"ARCADE_MACHINE,JUNIMO_KART", +615,Junimo Kart 2,Junimo Kart: The Gem Sea Giant,"ARCADE_MACHINE,JUNIMO_KART", +616,Junimo Kart 2,Junimo Kart: Slomp's Stomp,"ARCADE_MACHINE,JUNIMO_KART", +617,Junimo Kart 2,Junimo Kart: Ghastly Galleon,"ARCADE_MACHINE,JUNIMO_KART", +618,Junimo Kart 3,Junimo Kart: Glowshroom Grotto,"ARCADE_MACHINE,JUNIMO_KART", +619,Junimo Kart 3,Junimo Kart: Red Hot Rollercoaster,"ARCADE_MACHINE,JUNIMO_KART", +620,JotPK World 3,Journey of the Prairie King Victory,"ARCADE_MACHINE_VICTORY,JOTPK", +621,Junimo Kart 3,Junimo Kart: Sunset Speedway (Victory),"ARCADE_MACHINE_VICTORY,JUNIMO_KART", +701,Secret Woods,Old Master Cannoli,MANDATORY, +702,Beach,Beach Bridge Repair,MANDATORY, +703,Desert,Galaxy Sword Shrine,MANDATORY, +704,Farmhouse,Have a Baby,BABY, +705,Farmhouse,Have Another Baby,BABY, +706,Farmhouse,Spouse Stardrop,, +707,Sewer,Krobus Stardrop,MANDATORY, +801,Forest,Help Wanted: Gathering 1,HELP_WANTED, +802,Forest,Help Wanted: Gathering 2,HELP_WANTED, +803,Forest,Help Wanted: Gathering 3,HELP_WANTED, +804,Forest,Help Wanted: Gathering 4,HELP_WANTED, +805,Forest,Help Wanted: Gathering 5,HELP_WANTED, +806,Forest,Help Wanted: Gathering 6,HELP_WANTED, +807,Forest,Help Wanted: Gathering 7,HELP_WANTED, +808,Forest,Help Wanted: Gathering 8,HELP_WANTED, +811,The Mines - Floor 5,Help Wanted: Slay Monsters 1,HELP_WANTED, +812,The Mines - Floor 15,Help Wanted: Slay Monsters 2,HELP_WANTED, +813,The Mines - Floor 25,Help Wanted: Slay Monsters 3,HELP_WANTED, +814,The Mines - Floor 35,Help Wanted: Slay Monsters 4,HELP_WANTED, +815,The Mines - Floor 45,Help Wanted: Slay Monsters 5,HELP_WANTED, +816,The Mines - Floor 55,Help Wanted: Slay Monsters 6,HELP_WANTED, +817,The Mines - Floor 65,Help Wanted: Slay Monsters 7,HELP_WANTED, +818,The Mines - Floor 75,Help Wanted: Slay Monsters 8,HELP_WANTED, +821,Fishing,Help Wanted: Fishing 1,HELP_WANTED, +822,Fishing,Help Wanted: Fishing 2,HELP_WANTED, +823,Fishing,Help Wanted: Fishing 3,HELP_WANTED, +824,Fishing,Help Wanted: Fishing 4,HELP_WANTED, +825,Fishing,Help Wanted: Fishing 5,HELP_WANTED, +826,Fishing,Help Wanted: Fishing 6,HELP_WANTED, +827,Fishing,Help Wanted: Fishing 7,HELP_WANTED, +828,Fishing,Help Wanted: Fishing 8,HELP_WANTED, +841,Town,Help Wanted: Item Delivery 1,HELP_WANTED, +842,Town,Help Wanted: Item Delivery 2,HELP_WANTED, +843,Town,Help Wanted: Item Delivery 3,HELP_WANTED, +844,Town,Help Wanted: Item Delivery 4,HELP_WANTED, +845,Town,Help Wanted: Item Delivery 5,HELP_WANTED, +846,Town,Help Wanted: Item Delivery 6,HELP_WANTED, +847,Town,Help Wanted: Item Delivery 7,HELP_WANTED, +848,Town,Help Wanted: Item Delivery 8,HELP_WANTED, +849,Town,Help Wanted: Item Delivery 9,HELP_WANTED, +850,Town,Help Wanted: Item Delivery 10,HELP_WANTED, +851,Town,Help Wanted: Item Delivery 11,HELP_WANTED, +852,Town,Help Wanted: Item Delivery 12,HELP_WANTED, +853,Town,Help Wanted: Item Delivery 13,HELP_WANTED, +854,Town,Help Wanted: Item Delivery 14,HELP_WANTED, +855,Town,Help Wanted: Item Delivery 15,HELP_WANTED, +856,Town,Help Wanted: Item Delivery 16,HELP_WANTED, +857,Town,Help Wanted: Item Delivery 17,HELP_WANTED, +858,Town,Help Wanted: Item Delivery 18,HELP_WANTED, +859,Town,Help Wanted: Item Delivery 19,HELP_WANTED, +860,Town,Help Wanted: Item Delivery 20,HELP_WANTED, +861,Town,Help Wanted: Item Delivery 21,HELP_WANTED, +862,Town,Help Wanted: Item Delivery 22,HELP_WANTED, +863,Town,Help Wanted: Item Delivery 23,HELP_WANTED, +864,Town,Help Wanted: Item Delivery 24,HELP_WANTED, +865,Town,Help Wanted: Item Delivery 25,HELP_WANTED, +866,Town,Help Wanted: Item Delivery 26,HELP_WANTED, +867,Town,Help Wanted: Item Delivery 27,HELP_WANTED, +868,Town,Help Wanted: Item Delivery 28,HELP_WANTED, +869,Town,Help Wanted: Item Delivery 29,HELP_WANTED, +870,Town,Help Wanted: Item Delivery 30,HELP_WANTED, +871,Town,Help Wanted: Item Delivery 31,HELP_WANTED, +872,Town,Help Wanted: Item Delivery 32,HELP_WANTED, +901,Traveling Cart Sunday,Traveling Merchant Sunday Item 1,"MANDATORY,TRAVELING_MERCHANT", +902,Traveling Cart Sunday,Traveling Merchant Sunday Item 2,"MANDATORY,TRAVELING_MERCHANT", +903,Traveling Cart Sunday,Traveling Merchant Sunday Item 3,"MANDATORY,TRAVELING_MERCHANT", +911,Traveling Cart Monday,Traveling Merchant Monday Item 1,"MANDATORY,TRAVELING_MERCHANT", +912,Traveling Cart Monday,Traveling Merchant Monday Item 2,"MANDATORY,TRAVELING_MERCHANT", +913,Traveling Cart Monday,Traveling Merchant Monday Item 3,"MANDATORY,TRAVELING_MERCHANT", +921,Traveling Cart Tuesday,Traveling Merchant Tuesday Item 1,"MANDATORY,TRAVELING_MERCHANT", +922,Traveling Cart Tuesday,Traveling Merchant Tuesday Item 2,"MANDATORY,TRAVELING_MERCHANT", +923,Traveling Cart Tuesday,Traveling Merchant Tuesday Item 3,"MANDATORY,TRAVELING_MERCHANT", +931,Traveling Cart Wednesday,Traveling Merchant Wednesday Item 1,"MANDATORY,TRAVELING_MERCHANT", +932,Traveling Cart Wednesday,Traveling Merchant Wednesday Item 2,"MANDATORY,TRAVELING_MERCHANT", +933,Traveling Cart Wednesday,Traveling Merchant Wednesday Item 3,"MANDATORY,TRAVELING_MERCHANT", +941,Traveling Cart Thursday,Traveling Merchant Thursday Item 1,"MANDATORY,TRAVELING_MERCHANT", +942,Traveling Cart Thursday,Traveling Merchant Thursday Item 2,"MANDATORY,TRAVELING_MERCHANT", +943,Traveling Cart Thursday,Traveling Merchant Thursday Item 3,"MANDATORY,TRAVELING_MERCHANT", +951,Traveling Cart Friday,Traveling Merchant Friday Item 1,"MANDATORY,TRAVELING_MERCHANT", +952,Traveling Cart Friday,Traveling Merchant Friday Item 2,"MANDATORY,TRAVELING_MERCHANT", +953,Traveling Cart Friday,Traveling Merchant Friday Item 3,"MANDATORY,TRAVELING_MERCHANT", +961,Traveling Cart Saturday,Traveling Merchant Saturday Item 1,"MANDATORY,TRAVELING_MERCHANT", +962,Traveling Cart Saturday,Traveling Merchant Saturday Item 2,"MANDATORY,TRAVELING_MERCHANT", +963,Traveling Cart Saturday,Traveling Merchant Saturday Item 3,"MANDATORY,TRAVELING_MERCHANT", +1001,Fishing,Fishsanity: Carp,FISHSANITY, +1002,Fishing,Fishsanity: Herring,FISHSANITY, +1003,Fishing,Fishsanity: Smallmouth Bass,FISHSANITY, +1004,Fishing,Fishsanity: Anchovy,FISHSANITY, +1005,Fishing,Fishsanity: Sardine,FISHSANITY, +1006,Fishing,Fishsanity: Sunfish,FISHSANITY, +1007,Fishing,Fishsanity: Perch,FISHSANITY, +1008,Fishing,Fishsanity: Chub,FISHSANITY, +1009,Fishing,Fishsanity: Bream,FISHSANITY, +1010,Fishing,Fishsanity: Red Snapper,FISHSANITY, +1011,Fishing,Fishsanity: Sea Cucumber,FISHSANITY, +1012,Fishing,Fishsanity: Rainbow Trout,FISHSANITY, +1013,Fishing,Fishsanity: Walleye,FISHSANITY, +1014,Fishing,Fishsanity: Shad,FISHSANITY, +1015,Fishing,Fishsanity: Bullhead,FISHSANITY, +1016,Fishing,Fishsanity: Largemouth Bass,FISHSANITY, +1017,Fishing,Fishsanity: Salmon,FISHSANITY, +1018,Fishing,Fishsanity: Ghostfish,FISHSANITY, +1019,Fishing,Fishsanity: Tilapia,FISHSANITY, +1020,Fishing,Fishsanity: Woodskip,FISHSANITY, +1021,Fishing,Fishsanity: Flounder,FISHSANITY, +1022,Fishing,Fishsanity: Halibut,FISHSANITY, +1023,Fishing,Fishsanity: Lionfish,"FISHSANITY,GINGER_ISLAND", +1024,Fishing,Fishsanity: Slimejack,FISHSANITY, +1025,Fishing,Fishsanity: Midnight Carp,FISHSANITY, +1026,Fishing,Fishsanity: Red Mullet,FISHSANITY, +1027,Fishing,Fishsanity: Pike,FISHSANITY, +1028,Fishing,Fishsanity: Tiger Trout,FISHSANITY, +1029,Fishing,Fishsanity: Blue Discus,"FISHSANITY,GINGER_ISLAND", +1030,Fishing,Fishsanity: Albacore,FISHSANITY, +1031,Fishing,Fishsanity: Sandfish,FISHSANITY, +1032,Fishing,Fishsanity: Stonefish,FISHSANITY, +1033,Fishing,Fishsanity: Tuna,FISHSANITY, +1034,Fishing,Fishsanity: Eel,FISHSANITY, +1035,Fishing,Fishsanity: Catfish,FISHSANITY, +1036,Fishing,Fishsanity: Squid,FISHSANITY, +1037,Fishing,Fishsanity: Sturgeon,FISHSANITY, +1038,Fishing,Fishsanity: Dorado,FISHSANITY, +1039,Fishing,Fishsanity: Pufferfish,FISHSANITY, +1040,Fishing,Fishsanity: Void Salmon,FISHSANITY, +1041,Fishing,Fishsanity: Super Cucumber,FISHSANITY, +1042,Fishing,Fishsanity: Stingray,"FISHSANITY,GINGER_ISLAND", +1043,Fishing,Fishsanity: Ice Pip,FISHSANITY, +1044,Fishing,Fishsanity: Lingcod,FISHSANITY, +1045,Desert,Fishsanity: Scorpion Carp,FISHSANITY, +1046,Fishing,Fishsanity: Lava Eel,FISHSANITY, +1047,Fishing,Fishsanity: Octopus,FISHSANITY, +1048,Fishing,Fishsanity: Midnight Squid,FISHSANITY, +1049,Fishing,Fishsanity: Spook Fish,FISHSANITY, +1050,Fishing,Fishsanity: Blobfish,FISHSANITY, +1051,Fishing,Fishsanity: Crimsonfish,FISHSANITY, +1052,Fishing,Fishsanity: Angler,FISHSANITY, +1053,Fishing,Fishsanity: Legend,FISHSANITY, +1054,Fishing,Fishsanity: Glacierfish,FISHSANITY, +1055,Fishing,Fishsanity: Mutant Carp,FISHSANITY, +1056,Town,Fishsanity: Crayfish,FISHSANITY, +1057,Town,Fishsanity: Snail,FISHSANITY, +1058,Town,Fishsanity: Periwinkle,FISHSANITY, +1059,Beach,Fishsanity: Lobster,FISHSANITY, +1060,Beach,Fishsanity: Clam,FISHSANITY, +1061,Beach,Fishsanity: Crab,FISHSANITY, +1062,Beach,Fishsanity: Cockle,FISHSANITY, +1063,Beach,Fishsanity: Mussel,FISHSANITY, +1064,Beach,Fishsanity: Shrimp,FISHSANITY, +1065,Beach,Fishsanity: Oyster,FISHSANITY, +1066,Beach,Fishsanity: Son of Crimsonfish,"FISHSANITY,GINGER_ISLAND,REQUIRES_QI_ORDERS", +1067,Beach,Fishsanity: Glacierfish Jr.,"FISHSANITY,GINGER_ISLAND,REQUIRES_QI_ORDERS", +1068,Beach,Fishsanity: Legend II,"FISHSANITY,GINGER_ISLAND,REQUIRES_QI_ORDERS", +1069,Beach,Fishsanity: Ms. Angler,"FISHSANITY,GINGER_ISLAND,REQUIRES_QI_ORDERS", +1070,Beach,Fishsanity: Radioactive Carp,"FISHSANITY,GINGER_ISLAND,REQUIRES_QI_ORDERS", +1100,Museum,Museumsanity: 5 Donations,MUSEUM_MILESTONES, +1101,Museum,Museumsanity: 10 Donations,MUSEUM_MILESTONES, +1102,Museum,Museumsanity: 15 Donations,MUSEUM_MILESTONES, +1103,Museum,Museumsanity: 20 Donations,MUSEUM_MILESTONES, +1104,Museum,Museumsanity: 25 Donations,MUSEUM_MILESTONES, +1105,Museum,Museumsanity: 30 Donations,MUSEUM_MILESTONES, +1106,Museum,Museumsanity: 35 Donations,MUSEUM_MILESTONES, +1107,Museum,Museumsanity: 40 Donations,MUSEUM_MILESTONES, +1108,Museum,Museumsanity: 50 Donations,MUSEUM_MILESTONES, +1109,Museum,Museumsanity: 60 Donations,MUSEUM_MILESTONES, +1110,Museum,Museumsanity: 70 Donations,MUSEUM_MILESTONES, +1111,Museum,Museumsanity: 80 Donations,MUSEUM_MILESTONES, +1112,Museum,Museumsanity: 90 Donations,MUSEUM_MILESTONES, +1113,Museum,Museumsanity: 95 Donations,MUSEUM_MILESTONES, +1114,Museum,Museumsanity: 11 Minerals,MUSEUM_MILESTONES, +1115,Museum,Museumsanity: 21 Minerals,MUSEUM_MILESTONES, +1116,Museum,Museumsanity: 31 Minerals,MUSEUM_MILESTONES, +1117,Museum,Museumsanity: 41 Minerals,MUSEUM_MILESTONES, +1118,Museum,Museumsanity: 50 Minerals,MUSEUM_MILESTONES, +1119,Museum,Museumsanity: 3 Artifacts,MUSEUM_MILESTONES, +1120,Museum,Museumsanity: 6 Artifacts,MUSEUM_MILESTONES, +1121,Museum,Museumsanity: 9 Artifacts,MUSEUM_MILESTONES, +1122,Museum,Museumsanity: 11 Artifacts,MUSEUM_MILESTONES, +1123,Museum,Museumsanity: 15 Artifacts,MUSEUM_MILESTONES, +1124,Museum,Museumsanity: 20 Artifacts,MUSEUM_MILESTONES, +1125,Museum,Museumsanity: Dwarf Scrolls,MUSEUM_MILESTONES, +1126,Museum,Museumsanity: Skeleton Front,MUSEUM_MILESTONES, +1127,Museum,Museumsanity: Skeleton Middle,MUSEUM_MILESTONES, +1128,Museum,Museumsanity: Skeleton Back,MUSEUM_MILESTONES, +1201,Museum,Museumsanity: Dwarf Scroll I,MUSEUM_DONATIONS, +1202,Museum,Museumsanity: Dwarf Scroll II,MUSEUM_DONATIONS, +1203,Museum,Museumsanity: Dwarf Scroll III,MUSEUM_DONATIONS, +1204,Museum,Museumsanity: Dwarf Scroll IV,MUSEUM_DONATIONS, +1205,Museum,Museumsanity: Chipped Amphora,MUSEUM_DONATIONS, +1206,Museum,Museumsanity: Arrowhead,MUSEUM_DONATIONS, +1207,Museum,Museumsanity: Ancient Doll,MUSEUM_DONATIONS, +1208,Museum,Museumsanity: Elvish Jewelry,MUSEUM_DONATIONS, +1209,Museum,Museumsanity: Chewing Stick,MUSEUM_DONATIONS, +1210,Museum,Museumsanity: Ornamental Fan,MUSEUM_DONATIONS, +1211,Museum,Museumsanity: Dinosaur Egg,MUSEUM_DONATIONS, +1212,Museum,Museumsanity: Rare Disc,MUSEUM_DONATIONS, +1213,Museum,Museumsanity: Ancient Sword,MUSEUM_DONATIONS, +1214,Museum,Museumsanity: Rusty Spoon,MUSEUM_DONATIONS, +1215,Museum,Museumsanity: Rusty Spur,MUSEUM_DONATIONS, +1216,Museum,Museumsanity: Rusty Cog,MUSEUM_DONATIONS, +1217,Museum,Museumsanity: Chicken Statue,MUSEUM_DONATIONS, +1218,Museum,Museumsanity: Ancient Seed,"MUSEUM_DONATIONS,MUSEUM_MILESTONES", +1219,Museum,Museumsanity: Prehistoric Tool,MUSEUM_DONATIONS, +1220,Museum,Museumsanity: Dried Starfish,MUSEUM_DONATIONS, +1221,Museum,Museumsanity: Anchor,MUSEUM_DONATIONS, +1222,Museum,Museumsanity: Glass Shards,MUSEUM_DONATIONS, +1223,Museum,Museumsanity: Bone Flute,MUSEUM_DONATIONS, +1224,Museum,Museumsanity: Prehistoric Handaxe,MUSEUM_DONATIONS, +1225,Museum,Museumsanity: Dwarvish Helm,MUSEUM_DONATIONS, +1226,Museum,Museumsanity: Dwarf Gadget,MUSEUM_DONATIONS, +1227,Museum,Museumsanity: Ancient Drum,MUSEUM_DONATIONS, +1228,Museum,Museumsanity: Golden Mask,MUSEUM_DONATIONS, +1229,Museum,Museumsanity: Golden Relic,MUSEUM_DONATIONS, +1230,Museum,Museumsanity: Strange Doll (Green),MUSEUM_DONATIONS, +1231,Museum,Museumsanity: Strange Doll,MUSEUM_DONATIONS, +1232,Museum,Museumsanity: Prehistoric Scapula,MUSEUM_DONATIONS, +1233,Museum,Museumsanity: Prehistoric Tibia,MUSEUM_DONATIONS, +1234,Museum,Museumsanity: Prehistoric Skull,MUSEUM_DONATIONS, +1235,Museum,Museumsanity: Skeletal Hand,MUSEUM_DONATIONS, +1236,Museum,Museumsanity: Prehistoric Rib,MUSEUM_DONATIONS, +1237,Museum,Museumsanity: Prehistoric Vertebra,MUSEUM_DONATIONS, +1238,Museum,Museumsanity: Skeletal Tail,MUSEUM_DONATIONS, +1239,Museum,Museumsanity: Nautilus Fossil,MUSEUM_DONATIONS, +1240,Museum,Museumsanity: Amphibian Fossil,MUSEUM_DONATIONS, +1241,Museum,Museumsanity: Palm Fossil,MUSEUM_DONATIONS, +1242,Museum,Museumsanity: Trilobite,MUSEUM_DONATIONS, +1243,Museum,Museumsanity: Quartz,MUSEUM_DONATIONS, +1244,Museum,Museumsanity: Fire Quartz,MUSEUM_DONATIONS, +1245,Museum,Museumsanity: Frozen Tear,MUSEUM_DONATIONS, +1246,Museum,Museumsanity: Earth Crystal,MUSEUM_DONATIONS, +1247,Museum,Museumsanity: Emerald,MUSEUM_DONATIONS, +1248,Museum,Museumsanity: Aquamarine,MUSEUM_DONATIONS, +1249,Museum,Museumsanity: Ruby,MUSEUM_DONATIONS, +1250,Museum,Museumsanity: Amethyst,MUSEUM_DONATIONS, +1251,Museum,Museumsanity: Topaz,MUSEUM_DONATIONS, +1252,Museum,Museumsanity: Jade,MUSEUM_DONATIONS, +1253,Museum,Museumsanity: Diamond,MUSEUM_DONATIONS, +1254,Museum,Museumsanity: Prismatic Shard,MUSEUM_DONATIONS, +1255,Museum,Museumsanity: Alamite,MUSEUM_DONATIONS, +1256,Museum,Museumsanity: Bixite,MUSEUM_DONATIONS, +1257,Museum,Museumsanity: Baryte,MUSEUM_DONATIONS, +1258,Museum,Museumsanity: Aerinite,MUSEUM_DONATIONS, +1259,Museum,Museumsanity: Calcite,MUSEUM_DONATIONS, +1260,Museum,Museumsanity: Dolomite,MUSEUM_DONATIONS, +1261,Museum,Museumsanity: Esperite,MUSEUM_DONATIONS, +1262,Museum,Museumsanity: Fluorapatite,MUSEUM_DONATIONS, +1263,Museum,Museumsanity: Geminite,MUSEUM_DONATIONS, +1264,Museum,Museumsanity: Helvite,MUSEUM_DONATIONS, +1265,Museum,Museumsanity: Jamborite,MUSEUM_DONATIONS, +1266,Museum,Museumsanity: Jagoite,MUSEUM_DONATIONS, +1267,Museum,Museumsanity: Kyanite,MUSEUM_DONATIONS, +1268,Museum,Museumsanity: Lunarite,MUSEUM_DONATIONS, +1269,Museum,Museumsanity: Malachite,MUSEUM_DONATIONS, +1270,Museum,Museumsanity: Neptunite,MUSEUM_DONATIONS, +1271,Museum,Museumsanity: Lemon Stone,MUSEUM_DONATIONS, +1272,Museum,Museumsanity: Nekoite,MUSEUM_DONATIONS, +1273,Museum,Museumsanity: Orpiment,MUSEUM_DONATIONS, +1274,Museum,Museumsanity: Petrified Slime,MUSEUM_DONATIONS, +1275,Museum,Museumsanity: Thunder Egg,MUSEUM_DONATIONS, +1276,Museum,Museumsanity: Pyrite,MUSEUM_DONATIONS, +1277,Museum,Museumsanity: Ocean Stone,MUSEUM_DONATIONS, +1278,Museum,Museumsanity: Ghost Crystal,MUSEUM_DONATIONS, +1279,Museum,Museumsanity: Tigerseye,MUSEUM_DONATIONS, +1280,Museum,Museumsanity: Jasper,MUSEUM_DONATIONS, +1281,Museum,Museumsanity: Opal,MUSEUM_DONATIONS, +1282,Museum,Museumsanity: Fire Opal,MUSEUM_DONATIONS, +1283,Museum,Museumsanity: Celestine,MUSEUM_DONATIONS, +1284,Museum,Museumsanity: Marble,MUSEUM_DONATIONS, +1285,Museum,Museumsanity: Sandstone,MUSEUM_DONATIONS, +1286,Museum,Museumsanity: Granite,MUSEUM_DONATIONS, +1287,Museum,Museumsanity: Basalt,MUSEUM_DONATIONS, +1288,Museum,Museumsanity: Limestone,MUSEUM_DONATIONS, +1289,Museum,Museumsanity: Soapstone,MUSEUM_DONATIONS, +1290,Museum,Museumsanity: Hematite,MUSEUM_DONATIONS, +1291,Museum,Museumsanity: Mudstone,MUSEUM_DONATIONS, +1292,Museum,Museumsanity: Obsidian,MUSEUM_DONATIONS, +1293,Museum,Museumsanity: Slate,MUSEUM_DONATIONS, +1294,Museum,Museumsanity: Fairy Stone,MUSEUM_DONATIONS, +1295,Museum,Museumsanity: Star Shards,MUSEUM_DONATIONS, +1301,Alex's House,Friendsanity: Alex 1 <3,FRIENDSANITY, +1302,Alex's House,Friendsanity: Alex 2 <3,FRIENDSANITY, +1303,Alex's House,Friendsanity: Alex 3 <3,FRIENDSANITY, +1304,Alex's House,Friendsanity: Alex 4 <3,FRIENDSANITY, +1305,Alex's House,Friendsanity: Alex 5 <3,FRIENDSANITY, +1306,Alex's House,Friendsanity: Alex 6 <3,FRIENDSANITY, +1307,Alex's House,Friendsanity: Alex 7 <3,FRIENDSANITY, +1308,Alex's House,Friendsanity: Alex 8 <3,FRIENDSANITY, +1309,Alex's House,Friendsanity: Alex 9 <3,FRIENDSANITY, +1310,Alex's House,Friendsanity: Alex 10 <3,FRIENDSANITY, +1311,Alex's House,Friendsanity: Alex 11 <3,FRIENDSANITY, +1312,Alex's House,Friendsanity: Alex 12 <3,FRIENDSANITY, +1313,Alex's House,Friendsanity: Alex 13 <3,FRIENDSANITY, +1314,Alex's House,Friendsanity: Alex 14 <3,FRIENDSANITY, +1315,Elliott's House,Friendsanity: Elliott 1 <3,FRIENDSANITY, +1316,Elliott's House,Friendsanity: Elliott 2 <3,FRIENDSANITY, +1317,Elliott's House,Friendsanity: Elliott 3 <3,FRIENDSANITY, +1318,Elliott's House,Friendsanity: Elliott 4 <3,FRIENDSANITY, +1319,Elliott's House,Friendsanity: Elliott 5 <3,FRIENDSANITY, +1320,Elliott's House,Friendsanity: Elliott 6 <3,FRIENDSANITY, +1321,Elliott's House,Friendsanity: Elliott 7 <3,FRIENDSANITY, +1322,Elliott's House,Friendsanity: Elliott 8 <3,FRIENDSANITY, +1323,Elliott's House,Friendsanity: Elliott 9 <3,FRIENDSANITY, +1324,Elliott's House,Friendsanity: Elliott 10 <3,FRIENDSANITY, +1325,Elliott's House,Friendsanity: Elliott 11 <3,FRIENDSANITY, +1326,Elliott's House,Friendsanity: Elliott 12 <3,FRIENDSANITY, +1327,Elliott's House,Friendsanity: Elliott 13 <3,FRIENDSANITY, +1328,Elliott's House,Friendsanity: Elliott 14 <3,FRIENDSANITY, +1329,Hospital,Friendsanity: Harvey 1 <3,FRIENDSANITY, +1330,Hospital,Friendsanity: Harvey 2 <3,FRIENDSANITY, +1331,Hospital,Friendsanity: Harvey 3 <3,FRIENDSANITY, +1332,Hospital,Friendsanity: Harvey 4 <3,FRIENDSANITY, +1333,Hospital,Friendsanity: Harvey 5 <3,FRIENDSANITY, +1334,Hospital,Friendsanity: Harvey 6 <3,FRIENDSANITY, +1335,Hospital,Friendsanity: Harvey 7 <3,FRIENDSANITY, +1336,Hospital,Friendsanity: Harvey 8 <3,FRIENDSANITY, +1337,Hospital,Friendsanity: Harvey 9 <3,FRIENDSANITY, +1338,Hospital,Friendsanity: Harvey 10 <3,FRIENDSANITY, +1339,Hospital,Friendsanity: Harvey 11 <3,FRIENDSANITY, +1340,Hospital,Friendsanity: Harvey 12 <3,FRIENDSANITY, +1341,Hospital,Friendsanity: Harvey 13 <3,FRIENDSANITY, +1342,Hospital,Friendsanity: Harvey 14 <3,FRIENDSANITY, +1343,Sam's House,Friendsanity: Sam 1 <3,FRIENDSANITY, +1344,Sam's House,Friendsanity: Sam 2 <3,FRIENDSANITY, +1345,Sam's House,Friendsanity: Sam 3 <3,FRIENDSANITY, +1346,Sam's House,Friendsanity: Sam 4 <3,FRIENDSANITY, +1347,Sam's House,Friendsanity: Sam 5 <3,FRIENDSANITY, +1348,Sam's House,Friendsanity: Sam 6 <3,FRIENDSANITY, +1349,Sam's House,Friendsanity: Sam 7 <3,FRIENDSANITY, +1350,Sam's House,Friendsanity: Sam 8 <3,FRIENDSANITY, +1351,Sam's House,Friendsanity: Sam 9 <3,FRIENDSANITY, +1352,Sam's House,Friendsanity: Sam 10 <3,FRIENDSANITY, +1353,Sam's House,Friendsanity: Sam 11 <3,FRIENDSANITY, +1354,Sam's House,Friendsanity: Sam 12 <3,FRIENDSANITY, +1355,Sam's House,Friendsanity: Sam 13 <3,FRIENDSANITY, +1356,Sam's House,Friendsanity: Sam 14 <3,FRIENDSANITY, +1357,Carpenter Shop,Friendsanity: Sebastian 1 <3,FRIENDSANITY, +1358,Carpenter Shop,Friendsanity: Sebastian 2 <3,FRIENDSANITY, +1359,Carpenter Shop,Friendsanity: Sebastian 3 <3,FRIENDSANITY, +1360,Carpenter Shop,Friendsanity: Sebastian 4 <3,FRIENDSANITY, +1361,Carpenter Shop,Friendsanity: Sebastian 5 <3,FRIENDSANITY, +1362,Carpenter Shop,Friendsanity: Sebastian 6 <3,FRIENDSANITY, +1363,Carpenter Shop,Friendsanity: Sebastian 7 <3,FRIENDSANITY, +1364,Carpenter Shop,Friendsanity: Sebastian 8 <3,FRIENDSANITY, +1365,Carpenter Shop,Friendsanity: Sebastian 9 <3,FRIENDSANITY, +1366,Carpenter Shop,Friendsanity: Sebastian 10 <3,FRIENDSANITY, +1367,Carpenter Shop,Friendsanity: Sebastian 11 <3,FRIENDSANITY, +1368,Carpenter Shop,Friendsanity: Sebastian 12 <3,FRIENDSANITY, +1369,Carpenter Shop,Friendsanity: Sebastian 13 <3,FRIENDSANITY, +1370,Carpenter Shop,Friendsanity: Sebastian 14 <3,FRIENDSANITY, +1371,Marnie's Ranch,Friendsanity: Shane 1 <3,FRIENDSANITY, +1372,Marnie's Ranch,Friendsanity: Shane 2 <3,FRIENDSANITY, +1373,Marnie's Ranch,Friendsanity: Shane 3 <3,FRIENDSANITY, +1374,Marnie's Ranch,Friendsanity: Shane 4 <3,FRIENDSANITY, +1375,Marnie's Ranch,Friendsanity: Shane 5 <3,FRIENDSANITY, +1376,Marnie's Ranch,Friendsanity: Shane 6 <3,FRIENDSANITY, +1377,Marnie's Ranch,Friendsanity: Shane 7 <3,FRIENDSANITY, +1378,Marnie's Ranch,Friendsanity: Shane 8 <3,FRIENDSANITY, +1379,Marnie's Ranch,Friendsanity: Shane 9 <3,FRIENDSANITY, +1380,Marnie's Ranch,Friendsanity: Shane 10 <3,FRIENDSANITY, +1381,Marnie's Ranch,Friendsanity: Shane 11 <3,FRIENDSANITY, +1382,Marnie's Ranch,Friendsanity: Shane 12 <3,FRIENDSANITY, +1383,Marnie's Ranch,Friendsanity: Shane 13 <3,FRIENDSANITY, +1384,Marnie's Ranch,Friendsanity: Shane 14 <3,FRIENDSANITY, +1385,Pierre's General Store,Friendsanity: Abigail 1 <3,FRIENDSANITY, +1386,Pierre's General Store,Friendsanity: Abigail 2 <3,FRIENDSANITY, +1387,Pierre's General Store,Friendsanity: Abigail 3 <3,FRIENDSANITY, +1388,Pierre's General Store,Friendsanity: Abigail 4 <3,FRIENDSANITY, +1389,Pierre's General Store,Friendsanity: Abigail 5 <3,FRIENDSANITY, +1390,Pierre's General Store,Friendsanity: Abigail 6 <3,FRIENDSANITY, +1391,Pierre's General Store,Friendsanity: Abigail 7 <3,FRIENDSANITY, +1392,Pierre's General Store,Friendsanity: Abigail 8 <3,FRIENDSANITY, +1393,Pierre's General Store,Friendsanity: Abigail 9 <3,FRIENDSANITY, +1394,Pierre's General Store,Friendsanity: Abigail 10 <3,FRIENDSANITY, +1395,Pierre's General Store,Friendsanity: Abigail 11 <3,FRIENDSANITY, +1396,Pierre's General Store,Friendsanity: Abigail 12 <3,FRIENDSANITY, +1397,Pierre's General Store,Friendsanity: Abigail 13 <3,FRIENDSANITY, +1398,Pierre's General Store,Friendsanity: Abigail 14 <3,FRIENDSANITY, +1399,Haley's House,Friendsanity: Emily 1 <3,FRIENDSANITY, +1400,Haley's House,Friendsanity: Emily 2 <3,FRIENDSANITY, +1401,Haley's House,Friendsanity: Emily 3 <3,FRIENDSANITY, +1402,Haley's House,Friendsanity: Emily 4 <3,FRIENDSANITY, +1403,Haley's House,Friendsanity: Emily 5 <3,FRIENDSANITY, +1404,Haley's House,Friendsanity: Emily 6 <3,FRIENDSANITY, +1405,Haley's House,Friendsanity: Emily 7 <3,FRIENDSANITY, +1406,Haley's House,Friendsanity: Emily 8 <3,FRIENDSANITY, +1407,Haley's House,Friendsanity: Emily 9 <3,FRIENDSANITY, +1408,Haley's House,Friendsanity: Emily 10 <3,FRIENDSANITY, +1409,Haley's House,Friendsanity: Emily 11 <3,FRIENDSANITY, +1410,Haley's House,Friendsanity: Emily 12 <3,FRIENDSANITY, +1411,Haley's House,Friendsanity: Emily 13 <3,FRIENDSANITY, +1412,Haley's House,Friendsanity: Emily 14 <3,FRIENDSANITY, +1413,Haley's House,Friendsanity: Haley 1 <3,FRIENDSANITY, +1414,Haley's House,Friendsanity: Haley 2 <3,FRIENDSANITY, +1415,Haley's House,Friendsanity: Haley 3 <3,FRIENDSANITY, +1416,Haley's House,Friendsanity: Haley 4 <3,FRIENDSANITY, +1417,Haley's House,Friendsanity: Haley 5 <3,FRIENDSANITY, +1418,Haley's House,Friendsanity: Haley 6 <3,FRIENDSANITY, +1419,Haley's House,Friendsanity: Haley 7 <3,FRIENDSANITY, +1420,Haley's House,Friendsanity: Haley 8 <3,FRIENDSANITY, +1421,Haley's House,Friendsanity: Haley 9 <3,FRIENDSANITY, +1422,Haley's House,Friendsanity: Haley 10 <3,FRIENDSANITY, +1423,Haley's House,Friendsanity: Haley 11 <3,FRIENDSANITY, +1424,Haley's House,Friendsanity: Haley 12 <3,FRIENDSANITY, +1425,Haley's House,Friendsanity: Haley 13 <3,FRIENDSANITY, +1426,Haley's House,Friendsanity: Haley 14 <3,FRIENDSANITY, +1427,Leah's Cottage,Friendsanity: Leah 1 <3,FRIENDSANITY, +1428,Leah's Cottage,Friendsanity: Leah 2 <3,FRIENDSANITY, +1429,Leah's Cottage,Friendsanity: Leah 3 <3,FRIENDSANITY, +1430,Leah's Cottage,Friendsanity: Leah 4 <3,FRIENDSANITY, +1431,Leah's Cottage,Friendsanity: Leah 5 <3,FRIENDSANITY, +1432,Leah's Cottage,Friendsanity: Leah 6 <3,FRIENDSANITY, +1433,Leah's Cottage,Friendsanity: Leah 7 <3,FRIENDSANITY, +1434,Leah's Cottage,Friendsanity: Leah 8 <3,FRIENDSANITY, +1435,Leah's Cottage,Friendsanity: Leah 9 <3,FRIENDSANITY, +1436,Leah's Cottage,Friendsanity: Leah 10 <3,FRIENDSANITY, +1437,Leah's Cottage,Friendsanity: Leah 11 <3,FRIENDSANITY, +1438,Leah's Cottage,Friendsanity: Leah 12 <3,FRIENDSANITY, +1439,Leah's Cottage,Friendsanity: Leah 13 <3,FRIENDSANITY, +1440,Leah's Cottage,Friendsanity: Leah 14 <3,FRIENDSANITY, +1441,Carpenter Shop,Friendsanity: Maru 1 <3,FRIENDSANITY, +1442,Carpenter Shop,Friendsanity: Maru 2 <3,FRIENDSANITY, +1443,Carpenter Shop,Friendsanity: Maru 3 <3,FRIENDSANITY, +1444,Carpenter Shop,Friendsanity: Maru 4 <3,FRIENDSANITY, +1445,Carpenter Shop,Friendsanity: Maru 5 <3,FRIENDSANITY, +1446,Carpenter Shop,Friendsanity: Maru 6 <3,FRIENDSANITY, +1447,Carpenter Shop,Friendsanity: Maru 7 <3,FRIENDSANITY, +1448,Carpenter Shop,Friendsanity: Maru 8 <3,FRIENDSANITY, +1449,Carpenter Shop,Friendsanity: Maru 9 <3,FRIENDSANITY, +1450,Carpenter Shop,Friendsanity: Maru 10 <3,FRIENDSANITY, +1451,Carpenter Shop,Friendsanity: Maru 11 <3,FRIENDSANITY, +1452,Carpenter Shop,Friendsanity: Maru 12 <3,FRIENDSANITY, +1453,Carpenter Shop,Friendsanity: Maru 13 <3,FRIENDSANITY, +1454,Carpenter Shop,Friendsanity: Maru 14 <3,FRIENDSANITY, +1455,Trailer,Friendsanity: Penny 1 <3,FRIENDSANITY, +1456,Trailer,Friendsanity: Penny 2 <3,FRIENDSANITY, +1457,Trailer,Friendsanity: Penny 3 <3,FRIENDSANITY, +1458,Trailer,Friendsanity: Penny 4 <3,FRIENDSANITY, +1459,Trailer,Friendsanity: Penny 5 <3,FRIENDSANITY, +1460,Trailer,Friendsanity: Penny 6 <3,FRIENDSANITY, +1461,Trailer,Friendsanity: Penny 7 <3,FRIENDSANITY, +1462,Trailer,Friendsanity: Penny 8 <3,FRIENDSANITY, +1463,Trailer,Friendsanity: Penny 9 <3,FRIENDSANITY, +1464,Trailer,Friendsanity: Penny 10 <3,FRIENDSANITY, +1465,Trailer,Friendsanity: Penny 11 <3,FRIENDSANITY, +1466,Trailer,Friendsanity: Penny 12 <3,FRIENDSANITY, +1467,Trailer,Friendsanity: Penny 13 <3,FRIENDSANITY, +1468,Trailer,Friendsanity: Penny 14 <3,FRIENDSANITY, +1469,Pierre's General Store,Friendsanity: Caroline 1 <3,FRIENDSANITY, +1470,Pierre's General Store,Friendsanity: Caroline 2 <3,FRIENDSANITY, +1471,Pierre's General Store,Friendsanity: Caroline 3 <3,FRIENDSANITY, +1472,Pierre's General Store,Friendsanity: Caroline 4 <3,FRIENDSANITY, +1473,Pierre's General Store,Friendsanity: Caroline 5 <3,FRIENDSANITY, +1474,Pierre's General Store,Friendsanity: Caroline 6 <3,FRIENDSANITY, +1475,Pierre's General Store,Friendsanity: Caroline 7 <3,FRIENDSANITY, +1476,Pierre's General Store,Friendsanity: Caroline 8 <3,FRIENDSANITY, +1477,Pierre's General Store,Friendsanity: Caroline 9 <3,FRIENDSANITY, +1478,Pierre's General Store,Friendsanity: Caroline 10 <3,FRIENDSANITY, +1480,Clint's Blacksmith,Friendsanity: Clint 1 <3,FRIENDSANITY, +1481,Clint's Blacksmith,Friendsanity: Clint 2 <3,FRIENDSANITY, +1482,Clint's Blacksmith,Friendsanity: Clint 3 <3,FRIENDSANITY, +1483,Clint's Blacksmith,Friendsanity: Clint 4 <3,FRIENDSANITY, +1484,Clint's Blacksmith,Friendsanity: Clint 5 <3,FRIENDSANITY, +1485,Clint's Blacksmith,Friendsanity: Clint 6 <3,FRIENDSANITY, +1486,Clint's Blacksmith,Friendsanity: Clint 7 <3,FRIENDSANITY, +1487,Clint's Blacksmith,Friendsanity: Clint 8 <3,FRIENDSANITY, +1488,Clint's Blacksmith,Friendsanity: Clint 9 <3,FRIENDSANITY, +1489,Clint's Blacksmith,Friendsanity: Clint 10 <3,FRIENDSANITY, +1491,Carpenter Shop,Friendsanity: Demetrius 1 <3,FRIENDSANITY, +1492,Carpenter Shop,Friendsanity: Demetrius 2 <3,FRIENDSANITY, +1493,Carpenter Shop,Friendsanity: Demetrius 3 <3,FRIENDSANITY, +1494,Carpenter Shop,Friendsanity: Demetrius 4 <3,FRIENDSANITY, +1495,Carpenter Shop,Friendsanity: Demetrius 5 <3,FRIENDSANITY, +1496,Carpenter Shop,Friendsanity: Demetrius 6 <3,FRIENDSANITY, +1497,Carpenter Shop,Friendsanity: Demetrius 7 <3,FRIENDSANITY, +1498,Carpenter Shop,Friendsanity: Demetrius 8 <3,FRIENDSANITY, +1499,Carpenter Shop,Friendsanity: Demetrius 9 <3,FRIENDSANITY, +1500,Carpenter Shop,Friendsanity: Demetrius 10 <3,FRIENDSANITY, +1502,Mines Dwarf Shop,Friendsanity: Dwarf 1 <3,FRIENDSANITY, +1503,Mines Dwarf Shop,Friendsanity: Dwarf 2 <3,FRIENDSANITY, +1504,Mines Dwarf Shop,Friendsanity: Dwarf 3 <3,FRIENDSANITY, +1505,Mines Dwarf Shop,Friendsanity: Dwarf 4 <3,FRIENDSANITY, +1506,Mines Dwarf Shop,Friendsanity: Dwarf 5 <3,FRIENDSANITY, +1507,Mines Dwarf Shop,Friendsanity: Dwarf 6 <3,FRIENDSANITY, +1508,Mines Dwarf Shop,Friendsanity: Dwarf 7 <3,FRIENDSANITY, +1509,Mines Dwarf Shop,Friendsanity: Dwarf 8 <3,FRIENDSANITY, +1510,Mines Dwarf Shop,Friendsanity: Dwarf 9 <3,FRIENDSANITY, +1511,Mines Dwarf Shop,Friendsanity: Dwarf 10 <3,FRIENDSANITY, +1513,Alex's House,Friendsanity: Evelyn 1 <3,FRIENDSANITY, +1514,Alex's House,Friendsanity: Evelyn 2 <3,FRIENDSANITY, +1515,Alex's House,Friendsanity: Evelyn 3 <3,FRIENDSANITY, +1516,Alex's House,Friendsanity: Evelyn 4 <3,FRIENDSANITY, +1517,Alex's House,Friendsanity: Evelyn 5 <3,FRIENDSANITY, +1518,Alex's House,Friendsanity: Evelyn 6 <3,FRIENDSANITY, +1519,Alex's House,Friendsanity: Evelyn 7 <3,FRIENDSANITY, +1520,Alex's House,Friendsanity: Evelyn 8 <3,FRIENDSANITY, +1521,Alex's House,Friendsanity: Evelyn 9 <3,FRIENDSANITY, +1522,Alex's House,Friendsanity: Evelyn 10 <3,FRIENDSANITY, +1524,Alex's House,Friendsanity: George 1 <3,FRIENDSANITY, +1525,Alex's House,Friendsanity: George 2 <3,FRIENDSANITY, +1526,Alex's House,Friendsanity: George 3 <3,FRIENDSANITY, +1527,Alex's House,Friendsanity: George 4 <3,FRIENDSANITY, +1528,Alex's House,Friendsanity: George 5 <3,FRIENDSANITY, +1529,Alex's House,Friendsanity: George 6 <3,FRIENDSANITY, +1530,Alex's House,Friendsanity: George 7 <3,FRIENDSANITY, +1531,Alex's House,Friendsanity: George 8 <3,FRIENDSANITY, +1532,Alex's House,Friendsanity: George 9 <3,FRIENDSANITY, +1533,Alex's House,Friendsanity: George 10 <3,FRIENDSANITY, +1535,Saloon,Friendsanity: Gus 1 <3,FRIENDSANITY, +1536,Saloon,Friendsanity: Gus 2 <3,FRIENDSANITY, +1537,Saloon,Friendsanity: Gus 3 <3,FRIENDSANITY, +1538,Saloon,Friendsanity: Gus 4 <3,FRIENDSANITY, +1539,Saloon,Friendsanity: Gus 5 <3,FRIENDSANITY, +1540,Saloon,Friendsanity: Gus 6 <3,FRIENDSANITY, +1541,Saloon,Friendsanity: Gus 7 <3,FRIENDSANITY, +1542,Saloon,Friendsanity: Gus 8 <3,FRIENDSANITY, +1543,Saloon,Friendsanity: Gus 9 <3,FRIENDSANITY, +1544,Saloon,Friendsanity: Gus 10 <3,FRIENDSANITY, +1546,Marnie's Ranch,Friendsanity: Jas 1 <3,FRIENDSANITY, +1547,Marnie's Ranch,Friendsanity: Jas 2 <3,FRIENDSANITY, +1548,Marnie's Ranch,Friendsanity: Jas 3 <3,FRIENDSANITY, +1549,Marnie's Ranch,Friendsanity: Jas 4 <3,FRIENDSANITY, +1550,Marnie's Ranch,Friendsanity: Jas 5 <3,FRIENDSANITY, +1551,Marnie's Ranch,Friendsanity: Jas 6 <3,FRIENDSANITY, +1552,Marnie's Ranch,Friendsanity: Jas 7 <3,FRIENDSANITY, +1553,Marnie's Ranch,Friendsanity: Jas 8 <3,FRIENDSANITY, +1554,Marnie's Ranch,Friendsanity: Jas 9 <3,FRIENDSANITY, +1555,Marnie's Ranch,Friendsanity: Jas 10 <3,FRIENDSANITY, +1557,Sam's House,Friendsanity: Jodi 1 <3,FRIENDSANITY, +1558,Sam's House,Friendsanity: Jodi 2 <3,FRIENDSANITY, +1559,Sam's House,Friendsanity: Jodi 3 <3,FRIENDSANITY, +1560,Sam's House,Friendsanity: Jodi 4 <3,FRIENDSANITY, +1561,Sam's House,Friendsanity: Jodi 5 <3,FRIENDSANITY, +1562,Sam's House,Friendsanity: Jodi 6 <3,FRIENDSANITY, +1563,Sam's House,Friendsanity: Jodi 7 <3,FRIENDSANITY, +1564,Sam's House,Friendsanity: Jodi 8 <3,FRIENDSANITY, +1565,Sam's House,Friendsanity: Jodi 9 <3,FRIENDSANITY, +1566,Sam's House,Friendsanity: Jodi 10 <3,FRIENDSANITY, +1568,Sam's House,Friendsanity: Kent 1 <3,FRIENDSANITY, +1569,Sam's House,Friendsanity: Kent 2 <3,FRIENDSANITY, +1570,Sam's House,Friendsanity: Kent 3 <3,FRIENDSANITY, +1571,Sam's House,Friendsanity: Kent 4 <3,FRIENDSANITY, +1572,Sam's House,Friendsanity: Kent 5 <3,FRIENDSANITY, +1573,Sam's House,Friendsanity: Kent 6 <3,FRIENDSANITY, +1574,Sam's House,Friendsanity: Kent 7 <3,FRIENDSANITY, +1575,Sam's House,Friendsanity: Kent 8 <3,FRIENDSANITY, +1576,Sam's House,Friendsanity: Kent 9 <3,FRIENDSANITY, +1577,Sam's House,Friendsanity: Kent 10 <3,FRIENDSANITY, +1579,Sewer,Friendsanity: Krobus 1 <3,FRIENDSANITY, +1580,Sewer,Friendsanity: Krobus 2 <3,FRIENDSANITY, +1581,Sewer,Friendsanity: Krobus 3 <3,FRIENDSANITY, +1582,Sewer,Friendsanity: Krobus 4 <3,FRIENDSANITY, +1583,Sewer,Friendsanity: Krobus 5 <3,FRIENDSANITY, +1584,Sewer,Friendsanity: Krobus 6 <3,FRIENDSANITY, +1585,Sewer,Friendsanity: Krobus 7 <3,FRIENDSANITY, +1586,Sewer,Friendsanity: Krobus 8 <3,FRIENDSANITY, +1587,Sewer,Friendsanity: Krobus 9 <3,FRIENDSANITY, +1588,Sewer,Friendsanity: Krobus 10 <3,FRIENDSANITY, +1590,Leo's Hut,Friendsanity: Leo 1 <3,"FRIENDSANITY,GINGER_ISLAND", +1591,Leo's Hut,Friendsanity: Leo 2 <3,"FRIENDSANITY,GINGER_ISLAND", +1592,Leo's Hut,Friendsanity: Leo 3 <3,"FRIENDSANITY,GINGER_ISLAND", +1593,Leo's Hut,Friendsanity: Leo 4 <3,"FRIENDSANITY,GINGER_ISLAND", +1594,Leo's Hut,Friendsanity: Leo 5 <3,"FRIENDSANITY,GINGER_ISLAND", +1595,Leo's Hut,Friendsanity: Leo 6 <3,"FRIENDSANITY,GINGER_ISLAND", +1596,Leo's Hut,Friendsanity: Leo 7 <3,"FRIENDSANITY,GINGER_ISLAND", +1597,Leo's Hut,Friendsanity: Leo 8 <3,"FRIENDSANITY,GINGER_ISLAND", +1598,Leo's Hut,Friendsanity: Leo 9 <3,"FRIENDSANITY,GINGER_ISLAND", +1599,Leo's Hut,Friendsanity: Leo 10 <3,"FRIENDSANITY,GINGER_ISLAND", +1601,Mayor's Manor,Friendsanity: Lewis 1 <3,FRIENDSANITY, +1602,Mayor's Manor,Friendsanity: Lewis 2 <3,FRIENDSANITY, +1603,Mayor's Manor,Friendsanity: Lewis 3 <3,FRIENDSANITY, +1604,Mayor's Manor,Friendsanity: Lewis 4 <3,FRIENDSANITY, +1605,Mayor's Manor,Friendsanity: Lewis 5 <3,FRIENDSANITY, +1606,Mayor's Manor,Friendsanity: Lewis 6 <3,FRIENDSANITY, +1607,Mayor's Manor,Friendsanity: Lewis 7 <3,FRIENDSANITY, +1608,Mayor's Manor,Friendsanity: Lewis 8 <3,FRIENDSANITY, +1609,Mayor's Manor,Friendsanity: Lewis 9 <3,FRIENDSANITY, +1610,Mayor's Manor,Friendsanity: Lewis 10 <3,FRIENDSANITY, +1612,Tent,Friendsanity: Linus 1 <3,FRIENDSANITY, +1613,Tent,Friendsanity: Linus 2 <3,FRIENDSANITY, +1614,Tent,Friendsanity: Linus 3 <3,FRIENDSANITY, +1615,Tent,Friendsanity: Linus 4 <3,FRIENDSANITY, +1616,Tent,Friendsanity: Linus 5 <3,FRIENDSANITY, +1617,Tent,Friendsanity: Linus 6 <3,FRIENDSANITY, +1618,Tent,Friendsanity: Linus 7 <3,FRIENDSANITY, +1619,Tent,Friendsanity: Linus 8 <3,FRIENDSANITY, +1620,Tent,Friendsanity: Linus 9 <3,FRIENDSANITY, +1621,Tent,Friendsanity: Linus 10 <3,FRIENDSANITY, +1623,Marnie's Ranch,Friendsanity: Marnie 1 <3,FRIENDSANITY, +1624,Marnie's Ranch,Friendsanity: Marnie 2 <3,FRIENDSANITY, +1625,Marnie's Ranch,Friendsanity: Marnie 3 <3,FRIENDSANITY, +1626,Marnie's Ranch,Friendsanity: Marnie 4 <3,FRIENDSANITY, +1627,Marnie's Ranch,Friendsanity: Marnie 5 <3,FRIENDSANITY, +1628,Marnie's Ranch,Friendsanity: Marnie 6 <3,FRIENDSANITY, +1629,Marnie's Ranch,Friendsanity: Marnie 7 <3,FRIENDSANITY, +1630,Marnie's Ranch,Friendsanity: Marnie 8 <3,FRIENDSANITY, +1631,Marnie's Ranch,Friendsanity: Marnie 9 <3,FRIENDSANITY, +1632,Marnie's Ranch,Friendsanity: Marnie 10 <3,FRIENDSANITY, +1634,Trailer,Friendsanity: Pam 1 <3,FRIENDSANITY, +1635,Trailer,Friendsanity: Pam 2 <3,FRIENDSANITY, +1636,Trailer,Friendsanity: Pam 3 <3,FRIENDSANITY, +1637,Trailer,Friendsanity: Pam 4 <3,FRIENDSANITY, +1638,Trailer,Friendsanity: Pam 5 <3,FRIENDSANITY, +1639,Trailer,Friendsanity: Pam 6 <3,FRIENDSANITY, +1640,Trailer,Friendsanity: Pam 7 <3,FRIENDSANITY, +1641,Trailer,Friendsanity: Pam 8 <3,FRIENDSANITY, +1642,Trailer,Friendsanity: Pam 9 <3,FRIENDSANITY, +1643,Trailer,Friendsanity: Pam 10 <3,FRIENDSANITY, +1645,Pierre's General Store,Friendsanity: Pierre 1 <3,FRIENDSANITY, +1646,Pierre's General Store,Friendsanity: Pierre 2 <3,FRIENDSANITY, +1647,Pierre's General Store,Friendsanity: Pierre 3 <3,FRIENDSANITY, +1648,Pierre's General Store,Friendsanity: Pierre 4 <3,FRIENDSANITY, +1649,Pierre's General Store,Friendsanity: Pierre 5 <3,FRIENDSANITY, +1650,Pierre's General Store,Friendsanity: Pierre 6 <3,FRIENDSANITY, +1651,Pierre's General Store,Friendsanity: Pierre 7 <3,FRIENDSANITY, +1652,Pierre's General Store,Friendsanity: Pierre 8 <3,FRIENDSANITY, +1653,Pierre's General Store,Friendsanity: Pierre 9 <3,FRIENDSANITY, +1654,Pierre's General Store,Friendsanity: Pierre 10 <3,FRIENDSANITY, +1656,Carpenter Shop,Friendsanity: Robin 1 <3,FRIENDSANITY, +1657,Carpenter Shop,Friendsanity: Robin 2 <3,FRIENDSANITY, +1658,Carpenter Shop,Friendsanity: Robin 3 <3,FRIENDSANITY, +1659,Carpenter Shop,Friendsanity: Robin 4 <3,FRIENDSANITY, +1660,Carpenter Shop,Friendsanity: Robin 5 <3,FRIENDSANITY, +1661,Carpenter Shop,Friendsanity: Robin 6 <3,FRIENDSANITY, +1662,Carpenter Shop,Friendsanity: Robin 7 <3,FRIENDSANITY, +1663,Carpenter Shop,Friendsanity: Robin 8 <3,FRIENDSANITY, +1664,Carpenter Shop,Friendsanity: Robin 9 <3,FRIENDSANITY, +1665,Carpenter Shop,Friendsanity: Robin 10 <3,FRIENDSANITY, +1667,Oasis,Friendsanity: Sandy 1 <3,FRIENDSANITY, +1668,Oasis,Friendsanity: Sandy 2 <3,FRIENDSANITY, +1669,Oasis,Friendsanity: Sandy 3 <3,FRIENDSANITY, +1670,Oasis,Friendsanity: Sandy 4 <3,FRIENDSANITY, +1671,Oasis,Friendsanity: Sandy 5 <3,FRIENDSANITY, +1672,Oasis,Friendsanity: Sandy 6 <3,FRIENDSANITY, +1673,Oasis,Friendsanity: Sandy 7 <3,FRIENDSANITY, +1674,Oasis,Friendsanity: Sandy 8 <3,FRIENDSANITY, +1675,Oasis,Friendsanity: Sandy 9 <3,FRIENDSANITY, +1676,Oasis,Friendsanity: Sandy 10 <3,FRIENDSANITY, +1678,Sam's House,Friendsanity: Vincent 1 <3,FRIENDSANITY, +1679,Sam's House,Friendsanity: Vincent 2 <3,FRIENDSANITY, +1680,Sam's House,Friendsanity: Vincent 3 <3,FRIENDSANITY, +1681,Sam's House,Friendsanity: Vincent 4 <3,FRIENDSANITY, +1682,Sam's House,Friendsanity: Vincent 5 <3,FRIENDSANITY, +1683,Sam's House,Friendsanity: Vincent 6 <3,FRIENDSANITY, +1684,Sam's House,Friendsanity: Vincent 7 <3,FRIENDSANITY, +1685,Sam's House,Friendsanity: Vincent 8 <3,FRIENDSANITY, +1686,Sam's House,Friendsanity: Vincent 9 <3,FRIENDSANITY, +1687,Sam's House,Friendsanity: Vincent 10 <3,FRIENDSANITY, +1689,Willy's Fish Shop,Friendsanity: Willy 1 <3,FRIENDSANITY, +1690,Willy's Fish Shop,Friendsanity: Willy 2 <3,FRIENDSANITY, +1691,Willy's Fish Shop,Friendsanity: Willy 3 <3,FRIENDSANITY, +1692,Willy's Fish Shop,Friendsanity: Willy 4 <3,FRIENDSANITY, +1693,Willy's Fish Shop,Friendsanity: Willy 5 <3,FRIENDSANITY, +1694,Willy's Fish Shop,Friendsanity: Willy 6 <3,FRIENDSANITY, +1695,Willy's Fish Shop,Friendsanity: Willy 7 <3,FRIENDSANITY, +1696,Willy's Fish Shop,Friendsanity: Willy 8 <3,FRIENDSANITY, +1697,Willy's Fish Shop,Friendsanity: Willy 9 <3,FRIENDSANITY, +1698,Willy's Fish Shop,Friendsanity: Willy 10 <3,FRIENDSANITY, +1700,Wizard Tower,Friendsanity: Wizard 1 <3,FRIENDSANITY, +1701,Wizard Tower,Friendsanity: Wizard 2 <3,FRIENDSANITY, +1702,Wizard Tower,Friendsanity: Wizard 3 <3,FRIENDSANITY, +1703,Wizard Tower,Friendsanity: Wizard 4 <3,FRIENDSANITY, +1704,Wizard Tower,Friendsanity: Wizard 5 <3,FRIENDSANITY, +1705,Wizard Tower,Friendsanity: Wizard 6 <3,FRIENDSANITY, +1706,Wizard Tower,Friendsanity: Wizard 7 <3,FRIENDSANITY, +1707,Wizard Tower,Friendsanity: Wizard 8 <3,FRIENDSANITY, +1708,Wizard Tower,Friendsanity: Wizard 9 <3,FRIENDSANITY, +1709,Wizard Tower,Friendsanity: Wizard 10 <3,FRIENDSANITY, +1710,Farm,Friendsanity: Pet 1 <3,FRIENDSANITY, +1711,Farm,Friendsanity: Pet 2 <3,FRIENDSANITY, +1712,Farm,Friendsanity: Pet 3 <3,FRIENDSANITY, +1713,Farm,Friendsanity: Pet 4 <3,FRIENDSANITY, +1714,Farm,Friendsanity: Pet 5 <3,FRIENDSANITY, +1715,Town,Friendsanity: Friend 1 <3,FRIENDSANITY, +1716,Town,Friendsanity: Friend 2 <3,FRIENDSANITY, +1717,Town,Friendsanity: Friend 3 <3,FRIENDSANITY, +1718,Town,Friendsanity: Friend 4 <3,FRIENDSANITY, +1719,Town,Friendsanity: Friend 5 <3,FRIENDSANITY, +1720,Town,Friendsanity: Friend 6 <3,FRIENDSANITY, +1721,Town,Friendsanity: Friend 7 <3,FRIENDSANITY, +1722,Town,Friendsanity: Friend 8 <3,FRIENDSANITY, +1723,Town,Friendsanity: Suitor 9 <3,FRIENDSANITY, +1724,Town,Friendsanity: Suitor 10 <3,FRIENDSANITY, +1725,Town,Friendsanity: Spouse 11 <3,FRIENDSANITY, +1726,Town,Friendsanity: Spouse 12 <3,FRIENDSANITY, +1727,Town,Friendsanity: Spouse 13 <3,FRIENDSANITY, +1728,Town,Friendsanity: Spouse 14 <3,FRIENDSANITY, +2001,Egg Festival,Egg Hunt Victory,FESTIVAL, +2002,Egg Festival,Egg Festival: Strawberry Seeds,FESTIVAL, +2003,Flower Dance,Dance with someone,FESTIVAL, +2004,Flower Dance,Rarecrow #5 (Woman),FESTIVAL, +2005,Luau,Luau Soup,FESTIVAL, +2006,Dance of the Moonlight Jellies,Dance of the Moonlight Jellies,FESTIVAL, +2007,Stardew Valley Fair,Smashing Stone,FESTIVAL, +2008,Stardew Valley Fair,Grange Display,FESTIVAL, +2009,Stardew Valley Fair,Rarecrow #1 (Turnip Head),FESTIVAL, +2010,Stardew Valley Fair,Fair Stardrop,FESTIVAL, +2011,Spirit's Eve,Spirit's Eve Maze,FESTIVAL, +2012,Spirit's Eve,Rarecrow #2 (Witch),FESTIVAL, +2013,Festival of Ice,Win Fishing Competition,FESTIVAL, +2014,Festival of Ice,Rarecrow #4 (Snowman),FESTIVAL, +2015,Night Market,Mermaid Pearl,FESTIVAL, +2016,Night Market,Cone Hat,FESTIVAL_HARD, +2017,Night Market,Iridium Fireplace,FESTIVAL_HARD, +2018,Night Market,Rarecrow #7 (Tanuki),FESTIVAL, +2019,Night Market,Rarecrow #8 (Tribal Mask),FESTIVAL, +2020,Night Market,Lupini: Red Eagle,FESTIVAL, +2021,Night Market,Lupini: Portrait Of A Mermaid,FESTIVAL, +2022,Night Market,Lupini: Solar Kingdom,FESTIVAL, +2023,Night Market,Lupini: Clouds,FESTIVAL_HARD, +2024,Night Market,Lupini: 1000 Years From Now,FESTIVAL_HARD, +2025,Night Market,Lupini: Three Trees,FESTIVAL_HARD, +2026,Night Market,Lupini: The Serpent,FESTIVAL_HARD, +2027,Night Market,Lupini: 'Tropical Fish #173',FESTIVAL_HARD, +2028,Night Market,Lupini: Land Of Clay,FESTIVAL_HARD, +2029,Feast of the Winter Star,Secret Santa,FESTIVAL, +2030,Feast of the Winter Star,The Legend of the Winter Star,FESTIVAL, +2031,Farm,Collect All Rarecrows,FESTIVAL, +2032,Flower Dance,Tub o' Flowers Recipe,FESTIVAL, +2033,Spirit's Eve,Jack-O-Lantern Recipe,FESTIVAL, +2034,Dance of the Moonlight Jellies,Moonlight Jellies Banner,FESTIVAL, +2035,Dance of the Moonlight Jellies,Starport Decal,FESTIVAL, +2036,Casino,Rarecrow #3 (Alien),FESTIVAL, +2101,Town,Island Ingredients,"GINGER_ISLAND,SPECIAL_ORDER_BOARD", +2102,The Mines - Floor 75,Cave Patrol,SPECIAL_ORDER_BOARD, +2103,Fishing,Aquatic Overpopulation,SPECIAL_ORDER_BOARD, +2104,Fishing,Biome Balance,SPECIAL_ORDER_BOARD, +2105,Haley's House,Rock Rejuvenation,SPECIAL_ORDER_BOARD, +2106,Alex's House,Gifts for George,SPECIAL_ORDER_BOARD, +2107,Museum,Fragments of the past,"GINGER_ISLAND,SPECIAL_ORDER_BOARD", +2108,Saloon,Gus' Famous Omelet,SPECIAL_ORDER_BOARD, +2109,Farm,Crop Order,SPECIAL_ORDER_BOARD, +2110,Railroad,Community Cleanup,SPECIAL_ORDER_BOARD, +2111,Trailer,The Strong Stuff,SPECIAL_ORDER_BOARD, +2112,Pierre's General Store,Pierre's Prime Produce,SPECIAL_ORDER_BOARD, +2113,Carpenter Shop,Robin's Project,SPECIAL_ORDER_BOARD, +2114,Carpenter Shop,Robin's Resource Rush,SPECIAL_ORDER_BOARD, +2115,Beach,Juicy Bugs Wanted!,SPECIAL_ORDER_BOARD, +2116,Town,Tropical Fish,"GINGER_ISLAND,SPECIAL_ORDER_BOARD", +2117,The Mines - Floor 75,A Curious Substance,SPECIAL_ORDER_BOARD, +2118,The Mines - Floor 35,Prismatic Jelly,SPECIAL_ORDER_BOARD, +2151,Qi's Walnut Room,Qi's Crop,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2152,Qi's Walnut Room,Let's Play A Game,"GINGER_ISLAND,JUNIMO_KART,SPECIAL_ORDER_QI", +2153,Qi's Walnut Room,Four Precious Stones,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2154,Qi's Walnut Room,Qi's Hungry Challenge,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2155,Qi's Walnut Room,Qi's Cuisine,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2156,Qi's Walnut Room,Qi's Kindness,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2157,Qi's Walnut Room,Extended Family,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2158,Qi's Walnut Room,Danger In The Deep,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2159,Qi's Walnut Room,Skull Cavern Invasion,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2160,Qi's Walnut Room,Qi's Prismatic Grange,"GINGER_ISLAND,SPECIAL_ORDER_QI", +2201,Boat Tunnel,Repair Ticket Machine,GINGER_ISLAND, +2202,Boat Tunnel,Repair Boat Hull,GINGER_ISLAND, +2203,Boat Tunnel,Repair Boat Anchor,GINGER_ISLAND, +2204,Leo's Hut,Leo's Parrot,"GINGER_ISLAND,WALNUT_PURCHASE", +2205,Island South,Island West Turtle,"GINGER_ISLAND,WALNUT_PURCHASE", +2206,Island West,Island Farmhouse,"GINGER_ISLAND,WALNUT_PURCHASE", +2207,Island Farmhouse,Island Mailbox,"GINGER_ISLAND,WALNUT_PURCHASE", +2208,Island Farmhouse,Farm Obelisk,"GINGER_ISLAND,WALNUT_PURCHASE", +2209,Island North,Dig Site Bridge,"GINGER_ISLAND,WALNUT_PURCHASE", +2210,Island North,Island Trader,"GINGER_ISLAND,WALNUT_PURCHASE", +2211,Volcano Entrance,Volcano Bridge,"GINGER_ISLAND,WALNUT_PURCHASE", +2212,Volcano - Floor 5,Volcano Exit Shortcut,"GINGER_ISLAND,WALNUT_PURCHASE", +2213,Island South,Island Resort,"GINGER_ISLAND,WALNUT_PURCHASE", +2214,Island West,Parrot Express,"GINGER_ISLAND,WALNUT_PURCHASE", +2215,Dig Site,Open Professor Snail Cave,GINGER_ISLAND, +2216,Field Office,Complete Island Field Office,GINGER_ISLAND, +2301,Farming,Harvest Amaranth,CROPSANITY, +2302,Farming,Harvest Artichoke,CROPSANITY, +2303,Farming,Harvest Beet,CROPSANITY, +2304,Farming,Harvest Blue Jazz,CROPSANITY, +2305,Farming,Harvest Blueberry,CROPSANITY, +2306,Farming,Harvest Bok Choy,CROPSANITY, +2307,Farming,Harvest Cauliflower,CROPSANITY, +2308,Farming,Harvest Corn,CROPSANITY, +2309,Farming,Harvest Cranberries,CROPSANITY, +2310,Farming,Harvest Eggplant,CROPSANITY, +2311,Farming,Harvest Fairy Rose,CROPSANITY, +2312,Farming,Harvest Garlic,CROPSANITY, +2313,Farming,Harvest Grape,CROPSANITY, +2314,Farming,Harvest Green Bean,CROPSANITY, +2315,Farming,Harvest Hops,CROPSANITY, +2316,Farming,Harvest Hot Pepper,CROPSANITY, +2317,Farming,Harvest Kale,CROPSANITY, +2318,Farming,Harvest Melon,CROPSANITY, +2319,Farming,Harvest Parsnip,CROPSANITY, +2320,Farming,Harvest Poppy,CROPSANITY, +2321,Farming,Harvest Potato,CROPSANITY, +2322,Farming,Harvest Pumpkin,CROPSANITY, +2323,Farming,Harvest Radish,CROPSANITY, +2324,Farming,Harvest Red Cabbage,CROPSANITY, +2325,Farming,Harvest Rhubarb,CROPSANITY, +2326,Farming,Harvest Starfruit,CROPSANITY, +2327,Farming,Harvest Strawberry,CROPSANITY, +2328,Farming,Harvest Summer Spangle,CROPSANITY, +2329,Farming,Harvest Sunflower,CROPSANITY, +2330,Farming,Harvest Tomato,CROPSANITY, +2331,Farming,Harvest Tulip,CROPSANITY, +2332,Farming,Harvest Unmilled Rice,CROPSANITY, +2333,Farming,Harvest Wheat,CROPSANITY, +2334,Farming,Harvest Yam,CROPSANITY, +2335,Farming,Harvest Cactus Fruit,CROPSANITY, +2336,Farming,Harvest Pineapple,"CROPSANITY,GINGER_ISLAND", +2337,Farming,Harvest Taro Root,"CROPSANITY,GINGER_ISLAND", +2338,Farming,Harvest Sweet Gem Berry,CROPSANITY, +2339,Farming,Harvest Apple,CROPSANITY, +2340,Farming,Harvest Apricot,CROPSANITY, +2341,Farming,Harvest Cherry,CROPSANITY, +2342,Farming,Harvest Orange,CROPSANITY, +2343,Farming,Harvest Pomegranate,CROPSANITY, +2344,Farming,Harvest Peach,CROPSANITY, +2345,Farming,Harvest Banana,"CROPSANITY,GINGER_ISLAND", +2346,Farming,Harvest Mango,"CROPSANITY,GINGER_ISLAND", +2347,Farming,Harvest Coffee Bean,CROPSANITY, +2401,Shipping,Shipsanity: Duck Egg,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2402,Shipping,Shipsanity: Duck Feather,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2403,Shipping,Shipsanity: Egg,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2404,Shipping,Shipsanity: Egg (Brown),"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2405,Shipping,Shipsanity: Goat Milk,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2406,Shipping,Shipsanity: Large Goat Milk,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2407,Shipping,Shipsanity: Large Egg,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2408,Shipping,Shipsanity: Large Egg (Brown),"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2409,Shipping,Shipsanity: Large Milk,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2410,Shipping,Shipsanity: Milk,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2411,Shipping,Shipsanity: Rabbit's Foot,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2412,Shipping,Shipsanity: Roe,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2413,Shipping,Shipsanity: Truffle,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2414,Shipping,Shipsanity: Void Egg,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2415,Shipping,Shipsanity: Wool,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2416,Shipping,Shipsanity: Anchor,SHIPSANITY, +2417,Shipping,Shipsanity: Ancient Doll,SHIPSANITY, +2418,Shipping,Shipsanity: Ancient Drum,SHIPSANITY, +2419,Shipping,Shipsanity: Ancient Seed,SHIPSANITY, +2420,Shipping,Shipsanity: Ancient Sword,SHIPSANITY, +2421,Shipping,Shipsanity: Arrowhead,SHIPSANITY, +2422,Shipping,Shipsanity: Artifact Trove,SHIPSANITY, +2423,Shipping,Shipsanity: Bone Flute,SHIPSANITY, +2424,Shipping,Shipsanity: Chewing Stick,SHIPSANITY, +2425,Shipping,Shipsanity: Chicken Statue,SHIPSANITY, +2426,Shipping,Shipsanity: Chipped Amphora,SHIPSANITY, +2427,Shipping,Shipsanity: Dinosaur Egg,SHIPSANITY, +2428,Shipping,Shipsanity: Dried Starfish,SHIPSANITY, +2429,Shipping,Shipsanity: Dwarf Gadget,SHIPSANITY, +2430,Shipping,Shipsanity: Dwarf Scroll I,SHIPSANITY, +2431,Shipping,Shipsanity: Dwarf Scroll II,SHIPSANITY, +2432,Shipping,Shipsanity: Dwarf Scroll III,SHIPSANITY, +2433,Shipping,Shipsanity: Dwarf Scroll IV,SHIPSANITY, +2434,Shipping,Shipsanity: Dwarvish Helm,SHIPSANITY, +2435,Shipping,Shipsanity: Elvish Jewelry,SHIPSANITY, +2436,Shipping,Shipsanity: Glass Shards,SHIPSANITY, +2437,Shipping,Shipsanity: Golden Mask,SHIPSANITY, +2438,Shipping,Shipsanity: Golden Relic,SHIPSANITY, +2439,Shipping,Shipsanity: Ornamental Fan,SHIPSANITY, +2440,Shipping,Shipsanity: Prehistoric Handaxe,SHIPSANITY, +2441,Shipping,Shipsanity: Prehistoric Tool,SHIPSANITY, +2442,Shipping,Shipsanity: Rare Disc,SHIPSANITY, +2443,Shipping,Shipsanity: Rusty Cog,SHIPSANITY, +2444,Shipping,Shipsanity: Rusty Spoon,SHIPSANITY, +2445,Shipping,Shipsanity: Rusty Spur,SHIPSANITY, +2446,Shipping,Shipsanity: Strange Doll,SHIPSANITY, +2447,Shipping,Shipsanity: Strange Doll (Green),SHIPSANITY, +2448,Shipping,Shipsanity: Treasure Chest,SHIPSANITY, +2449,Shipping,Shipsanity: Aged Roe,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2450,Shipping,Shipsanity: Beer,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2451,Shipping,Shipsanity: Caviar,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2452,Shipping,Shipsanity: Cheese,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2453,Shipping,Shipsanity: Cloth,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2454,Shipping,Shipsanity: Coffee,SHIPSANITY, +2455,Shipping,Shipsanity: Dinosaur Mayonnaise,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2456,Shipping,Shipsanity: Duck Mayonnaise,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2457,Shipping,Shipsanity: Goat Cheese,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2458,Shipping,Shipsanity: Green Tea,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2459,Shipping,Shipsanity: Honey,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2460,Shipping,Shipsanity: Jelly,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2461,Shipping,Shipsanity: Juice,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2462,Shipping,Shipsanity: Maple Syrup,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2463,Shipping,Shipsanity: Mayonnaise,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2464,Shipping,Shipsanity: Mead,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2465,Shipping,Shipsanity: Oak Resin,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2466,Shipping,Shipsanity: Pale Ale,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2467,Shipping,Shipsanity: Pickles,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2468,Shipping,Shipsanity: Pine Tar,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2469,Shipping,Shipsanity: Truffle Oil,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2470,Shipping,Shipsanity: Void Mayonnaise,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2471,Shipping,Shipsanity: Wine,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2472,Shipping,Shipsanity: Algae Soup,SHIPSANITY, +2473,Shipping,Shipsanity: Artichoke Dip,SHIPSANITY, +2474,Shipping,Shipsanity: Autumn's Bounty,SHIPSANITY, +2475,Shipping,Shipsanity: Baked Fish,SHIPSANITY, +2476,Shipping,Shipsanity: Bean Hotpot,SHIPSANITY, +2477,Shipping,Shipsanity: Blackberry Cobbler,SHIPSANITY, +2478,Shipping,Shipsanity: Blueberry Tart,SHIPSANITY, +2479,Shipping,Shipsanity: Bread,SHIPSANITY, +2480,Shipping,Shipsanity: Bruschetta,SHIPSANITY, +2481,Shipping,Shipsanity: Carp Surprise,SHIPSANITY, +2482,Shipping,Shipsanity: Cheese Cauliflower,SHIPSANITY, +2483,Shipping,Shipsanity: Chocolate Cake,SHIPSANITY, +2484,Shipping,Shipsanity: Chowder,SHIPSANITY, +2485,Shipping,Shipsanity: Coleslaw,SHIPSANITY, +2486,Shipping,Shipsanity: Complete Breakfast,SHIPSANITY, +2487,Shipping,Shipsanity: Cookies,SHIPSANITY, +2488,Shipping,Shipsanity: Crab Cakes,SHIPSANITY, +2489,Shipping,Shipsanity: Cranberry Candy,SHIPSANITY, +2490,Shipping,Shipsanity: Cranberry Sauce,SHIPSANITY, +2491,Shipping,Shipsanity: Crispy Bass,SHIPSANITY, +2492,Shipping,Shipsanity: Dish O' The Sea,SHIPSANITY, +2493,Shipping,Shipsanity: Eggplant Parmesan,SHIPSANITY, +2494,Shipping,Shipsanity: Escargot,SHIPSANITY, +2495,Shipping,Shipsanity: Farmer's Lunch,SHIPSANITY, +2496,Shipping,Shipsanity: Fiddlehead Risotto,SHIPSANITY, +2497,Shipping,Shipsanity: Fish Stew,SHIPSANITY, +2498,Shipping,Shipsanity: Fish Taco,SHIPSANITY, +2499,Shipping,Shipsanity: Fried Calamari,SHIPSANITY, +2500,Shipping,Shipsanity: Fried Eel,SHIPSANITY, +2501,Shipping,Shipsanity: Fried Egg,SHIPSANITY, +2502,Shipping,Shipsanity: Fried Mushroom,SHIPSANITY, +2503,Shipping,Shipsanity: Fruit Salad,SHIPSANITY, +2504,Shipping,Shipsanity: Glazed Yams,SHIPSANITY, +2505,Shipping,Shipsanity: Hashbrowns,SHIPSANITY, +2506,Shipping,Shipsanity: Ice Cream,SHIPSANITY, +2507,Shipping,Shipsanity: Lobster Bisque,SHIPSANITY, +2508,Shipping,Shipsanity: Lucky Lunch,SHIPSANITY, +2509,Shipping,Shipsanity: Maki Roll,SHIPSANITY, +2510,Shipping,Shipsanity: Maple Bar,SHIPSANITY, +2511,Shipping,Shipsanity: Miner's Treat,SHIPSANITY, +2512,Shipping,Shipsanity: Omelet,SHIPSANITY, +2513,Shipping,Shipsanity: Pale Broth,SHIPSANITY, +2514,Shipping,Shipsanity: Pancakes,SHIPSANITY, +2515,Shipping,Shipsanity: Parsnip Soup,SHIPSANITY, +2516,Shipping,Shipsanity: Pepper Poppers,SHIPSANITY, +2517,Shipping,Shipsanity: Pink Cake,SHIPSANITY, +2518,Shipping,Shipsanity: Pizza,SHIPSANITY, +2519,Shipping,Shipsanity: Plum Pudding,SHIPSANITY, +2520,Shipping,Shipsanity: Poppyseed Muffin,SHIPSANITY, +2521,Shipping,Shipsanity: Pumpkin Pie,SHIPSANITY, +2522,Shipping,Shipsanity: Pumpkin Soup,SHIPSANITY, +2523,Shipping,Shipsanity: Radish Salad,SHIPSANITY, +2524,Shipping,Shipsanity: Red Plate,SHIPSANITY, +2525,Shipping,Shipsanity: Rhubarb Pie,SHIPSANITY, +2526,Shipping,Shipsanity: Rice Pudding,SHIPSANITY, +2527,Shipping,Shipsanity: Roasted Hazelnuts,SHIPSANITY, +2528,Shipping,Shipsanity: Roots Platter,SHIPSANITY, +2529,Shipping,Shipsanity: Salad,SHIPSANITY, +2530,Shipping,Shipsanity: Salmon Dinner,SHIPSANITY, +2531,Shipping,Shipsanity: Sashimi,SHIPSANITY, +2532,Shipping,Shipsanity: Seafoam Pudding,SHIPSANITY, +2533,Shipping,Shipsanity: Shrimp Cocktail,SHIPSANITY, +2534,Shipping,Shipsanity: Spaghetti,SHIPSANITY, +2535,Shipping,Shipsanity: Spicy Eel,SHIPSANITY, +2536,Shipping,Shipsanity: Squid Ink Ravioli,SHIPSANITY, +2537,Shipping,Shipsanity: Stir Fry,SHIPSANITY, +2538,Shipping,Shipsanity: Strange Bun,SHIPSANITY, +2539,Shipping,Shipsanity: Stuffing,SHIPSANITY, +2540,Shipping,Shipsanity: Super Meal,SHIPSANITY, +2541,Shipping,Shipsanity: Survival Burger,SHIPSANITY, +2542,Shipping,Shipsanity: Tom Kha Soup,SHIPSANITY, +2543,Shipping,Shipsanity: Tortilla,SHIPSANITY, +2544,Shipping,Shipsanity: Triple Shot Espresso,SHIPSANITY, +2545,Shipping,Shipsanity: Trout Soup,SHIPSANITY, +2546,Shipping,Shipsanity: Vegetable Medley,SHIPSANITY, +2547,Shipping,Shipsanity: Bait,SHIPSANITY, +2548,Shipping,Shipsanity: Barbed Hook,SHIPSANITY, +2549,Shipping,Shipsanity: Basic Fertilizer,SHIPSANITY, +2550,Shipping,Shipsanity: Basic Retaining Soil,SHIPSANITY, +2551,Shipping,Shipsanity: Blue Slime Egg,SHIPSANITY, +2552,Shipping,Shipsanity: Bomb,SHIPSANITY, +2553,Shipping,Shipsanity: Brick Floor,SHIPSANITY, +2554,Shipping,Shipsanity: Bug Steak,SHIPSANITY, +2555,Shipping,Shipsanity: Cherry Bomb,SHIPSANITY, +2556,Shipping,Shipsanity: Cobblestone Path,SHIPSANITY, +2557,Shipping,Shipsanity: Cookout Kit,SHIPSANITY, +2558,Shipping,Shipsanity: Cork Bobber,SHIPSANITY, +2559,Shipping,Shipsanity: Crab Pot,SHIPSANITY, +2560,Shipping,Shipsanity: Crystal Floor,SHIPSANITY, +2561,Shipping,Shipsanity: Crystal Path,SHIPSANITY, +2562,Shipping,Shipsanity: Deluxe Speed-Gro,SHIPSANITY, +2563,Shipping,Shipsanity: Dressed Spinner,SHIPSANITY, +2564,Shipping,Shipsanity: Drum Block,SHIPSANITY, +2565,Shipping,Shipsanity: Explosive Ammo,SHIPSANITY, +2566,Shipping,Shipsanity: Fiber Seeds,SHIPSANITY, +2567,Shipping,Shipsanity: Field Snack,SHIPSANITY, +2568,Shipping,Shipsanity: Flute Block,SHIPSANITY, +2569,Shipping,Shipsanity: Gate,SHIPSANITY, +2570,Shipping,Shipsanity: Gravel Path,SHIPSANITY, +2571,Shipping,Shipsanity: Green Slime Egg,SHIPSANITY, +2572,Shipping,Shipsanity: Hardwood Fence,SHIPSANITY, +2573,Shipping,Shipsanity: Iridium Sprinkler,SHIPSANITY, +2574,Shipping,Shipsanity: Iron Fence,SHIPSANITY, +2575,Shipping,Shipsanity: Jack-O-Lantern,SHIPSANITY, +2576,Shipping,Shipsanity: Lead Bobber,SHIPSANITY, +2577,Shipping,Shipsanity: Life Elixir,SHIPSANITY, +2578,Shipping,Shipsanity: Magnet,SHIPSANITY, +2579,Shipping,Shipsanity: Mega Bomb,SHIPSANITY, +2580,Shipping,Shipsanity: Monster Musk,SHIPSANITY, +2581,Shipping,Shipsanity: Oil of Garlic,SHIPSANITY, +2582,Shipping,Shipsanity: Purple Slime Egg,SHIPSANITY, +2583,Shipping,Shipsanity: Quality Bobber,SHIPSANITY, +2584,Shipping,Shipsanity: Quality Fertilizer,SHIPSANITY, +2585,Shipping,Shipsanity: Quality Retaining Soil,SHIPSANITY, +2586,Shipping,Shipsanity: Quality Sprinkler,SHIPSANITY, +2587,Shipping,Shipsanity: Rain Totem,SHIPSANITY, +2588,Shipping,Shipsanity: Red Slime Egg,SHIPSANITY, +2589,Shipping,Shipsanity: Rustic Plank Floor,SHIPSANITY, +2590,Shipping,Shipsanity: Speed-Gro,SHIPSANITY, +2591,Shipping,Shipsanity: Spinner,SHIPSANITY, +2592,Shipping,Shipsanity: Sprinkler,SHIPSANITY, +2593,Shipping,Shipsanity: Stepping Stone Path,SHIPSANITY, +2594,Shipping,Shipsanity: Stone Fence,SHIPSANITY, +2595,Shipping,Shipsanity: Stone Floor,SHIPSANITY, +2596,Shipping,Shipsanity: Stone Walkway Floor,SHIPSANITY, +2597,Shipping,Shipsanity: Straw Floor,SHIPSANITY, +2598,Shipping,Shipsanity: Torch,SHIPSANITY, +2599,Shipping,Shipsanity: Trap Bobber,SHIPSANITY, +2600,Shipping,Shipsanity: Treasure Hunter,SHIPSANITY, +2601,Shipping,Shipsanity: Tree Fertilizer,SHIPSANITY, +2602,Shipping,Shipsanity: Warp Totem: Beach,SHIPSANITY, +2603,Shipping,Shipsanity: Warp Totem: Desert,SHIPSANITY, +2604,Shipping,Shipsanity: Warp Totem: Farm,SHIPSANITY, +2605,Shipping,Shipsanity: Warp Totem: Island,"SHIPSANITY,GINGER_ISLAND", +2606,Shipping,Shipsanity: Warp Totem: Mountains,SHIPSANITY, +2607,Shipping,Shipsanity: Weathered Floor,SHIPSANITY, +2608,Shipping,Shipsanity: Wild Bait,SHIPSANITY, +2609,Shipping,Shipsanity: Wood Fence,SHIPSANITY, +2610,Shipping,Shipsanity: Wood Floor,SHIPSANITY, +2611,Shipping,Shipsanity: Wood Path,SHIPSANITY, +2612,Shipping,Shipsanity: Amaranth,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2613,Shipping,Shipsanity: Ancient Fruit,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2614,Shipping,Shipsanity: Apple,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2615,Shipping,Shipsanity: Apricot,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2616,Shipping,Shipsanity: Artichoke,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2617,Shipping,Shipsanity: Beet,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2618,Shipping,Shipsanity: Blue Jazz,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2619,Shipping,Shipsanity: Blueberry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2620,Shipping,Shipsanity: Bok Choy,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2621,Shipping,Shipsanity: Cauliflower,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2622,Shipping,Shipsanity: Cherry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2623,Shipping,Shipsanity: Corn,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2624,Shipping,Shipsanity: Cranberries,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2625,Shipping,Shipsanity: Eggplant,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2626,Shipping,Shipsanity: Fairy Rose,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2627,Shipping,Shipsanity: Garlic,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2628,Shipping,Shipsanity: Grape,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2629,Shipping,Shipsanity: Green Bean,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2630,Shipping,Shipsanity: Hops,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2631,Shipping,Shipsanity: Hot Pepper,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2632,Shipping,Shipsanity: Kale,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2633,Shipping,Shipsanity: Melon,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2634,Shipping,Shipsanity: Orange,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2635,Shipping,Shipsanity: Parsnip,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2636,Shipping,Shipsanity: Peach,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2637,Shipping,Shipsanity: Pomegranate,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2638,Shipping,Shipsanity: Poppy,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2639,Shipping,Shipsanity: Potato,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2640,Shipping,Shipsanity: Pumpkin,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2641,Shipping,Shipsanity: Radish,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2642,Shipping,Shipsanity: Red Cabbage,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2643,Shipping,Shipsanity: Rhubarb,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2644,Shipping,Shipsanity: Starfruit,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2645,Shipping,Shipsanity: Strawberry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2646,Shipping,Shipsanity: Summer Spangle,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2647,Shipping,Shipsanity: Sunflower,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2648,Shipping,Shipsanity: Sweet Gem Berry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2649,Shipping,Shipsanity: Tea Leaves,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2650,Shipping,Shipsanity: Tomato,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2651,Shipping,Shipsanity: Tulip,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2652,Shipping,Shipsanity: Unmilled Rice,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2653,Shipping,Shipsanity: Wheat,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2654,Shipping,Shipsanity: Yam,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2655,Shipping,Shipsanity: Albacore,"SHIPSANITY,SHIPSANITY_FISH", +2656,Shipping,Shipsanity: Anchovy,"SHIPSANITY,SHIPSANITY_FISH", +2657,Shipping,Shipsanity: Angler,"SHIPSANITY,SHIPSANITY_FISH", +2658,Shipping,Shipsanity: Blobfish,"SHIPSANITY,SHIPSANITY_FISH", +2659,Shipping,Shipsanity: Bream,"SHIPSANITY,SHIPSANITY_FISH", +2660,Shipping,Shipsanity: Bullhead,"SHIPSANITY,SHIPSANITY_FISH", +2661,Shipping,Shipsanity: Carp,"SHIPSANITY,SHIPSANITY_FISH", +2662,Shipping,Shipsanity: Catfish,"SHIPSANITY,SHIPSANITY_FISH", +2663,Shipping,Shipsanity: Chub,"SHIPSANITY,SHIPSANITY_FISH", +2664,Shipping,Shipsanity: Cockle,"SHIPSANITY,SHIPSANITY_FISH", +2665,Shipping,Shipsanity: Crab,"SHIPSANITY,SHIPSANITY_FISH", +2666,Shipping,Shipsanity: Crayfish,"SHIPSANITY,SHIPSANITY_FISH", +2667,Shipping,Shipsanity: Crimsonfish,"SHIPSANITY,SHIPSANITY_FISH", +2668,Shipping,Shipsanity: Dorado,"SHIPSANITY,SHIPSANITY_FISH", +2669,Shipping,Shipsanity: Eel,"SHIPSANITY,SHIPSANITY_FISH", +2670,Shipping,Shipsanity: Flounder,"SHIPSANITY,SHIPSANITY_FISH", +2671,Shipping,Shipsanity: Ghostfish,"SHIPSANITY,SHIPSANITY_FISH", +2672,Shipping,Shipsanity: Glacierfish,"SHIPSANITY,SHIPSANITY_FISH", +2673,Shipping,Shipsanity: Halibut,"SHIPSANITY,SHIPSANITY_FISH", +2674,Shipping,Shipsanity: Herring,"SHIPSANITY,SHIPSANITY_FISH", +2675,Shipping,Shipsanity: Ice Pip,"SHIPSANITY,SHIPSANITY_FISH", +2676,Shipping,Shipsanity: Largemouth Bass,"SHIPSANITY,SHIPSANITY_FISH", +2677,Shipping,Shipsanity: Lava Eel,"SHIPSANITY,SHIPSANITY_FISH", +2678,Shipping,Shipsanity: Legend,"SHIPSANITY,SHIPSANITY_FISH", +2679,Shipping,Shipsanity: Lingcod,"SHIPSANITY,SHIPSANITY_FISH", +2680,Shipping,Shipsanity: Lobster,"SHIPSANITY,SHIPSANITY_FISH", +2681,Shipping,Shipsanity: Midnight Carp,"SHIPSANITY,SHIPSANITY_FISH", +2682,Shipping,Shipsanity: Midnight Squid,"SHIPSANITY,SHIPSANITY_FISH", +2683,Shipping,Shipsanity: Mussel,"SHIPSANITY,SHIPSANITY_FISH", +2684,Shipping,Shipsanity: Mutant Carp,"SHIPSANITY,SHIPSANITY_FISH", +2685,Shipping,Shipsanity: Octopus,"SHIPSANITY,SHIPSANITY_FISH", +2686,Shipping,Shipsanity: Oyster,"SHIPSANITY,SHIPSANITY_FISH", +2687,Shipping,Shipsanity: Perch,"SHIPSANITY,SHIPSANITY_FISH", +2688,Shipping,Shipsanity: Periwinkle,"SHIPSANITY,SHIPSANITY_FISH", +2689,Shipping,Shipsanity: Pike,"SHIPSANITY,SHIPSANITY_FISH", +2690,Shipping,Shipsanity: Pufferfish,"SHIPSANITY,SHIPSANITY_FISH", +2691,Shipping,Shipsanity: Rainbow Trout,"SHIPSANITY,SHIPSANITY_FISH", +2692,Shipping,Shipsanity: Red Mullet,"SHIPSANITY,SHIPSANITY_FISH", +2693,Shipping,Shipsanity: Red Snapper,"SHIPSANITY,SHIPSANITY_FISH", +2694,Shipping,Shipsanity: Salmon,"SHIPSANITY,SHIPSANITY_FISH", +2695,Shipping,Shipsanity: Sandfish,"SHIPSANITY,SHIPSANITY_FISH", +2696,Shipping,Shipsanity: Sardine,"SHIPSANITY,SHIPSANITY_FISH", +2697,Shipping,Shipsanity: Scorpion Carp,"SHIPSANITY,SHIPSANITY_FISH", +2698,Shipping,Shipsanity: Sea Cucumber,"SHIPSANITY,SHIPSANITY_FISH", +2699,Shipping,Shipsanity: Shad,"SHIPSANITY,SHIPSANITY_FISH", +2700,Shipping,Shipsanity: Shrimp,"SHIPSANITY,SHIPSANITY_FISH", +2701,Shipping,Shipsanity: Slimejack,"SHIPSANITY,SHIPSANITY_FISH", +2702,Shipping,Shipsanity: Smallmouth Bass,"SHIPSANITY,SHIPSANITY_FISH", +2703,Shipping,Shipsanity: Snail,"SHIPSANITY,SHIPSANITY_FISH", +2704,Shipping,Shipsanity: Spook Fish,"SHIPSANITY,SHIPSANITY_FISH", +2705,Shipping,Shipsanity: Squid,"SHIPSANITY,SHIPSANITY_FISH", +2706,Shipping,Shipsanity: Stonefish,"SHIPSANITY,SHIPSANITY_FISH", +2707,Shipping,Shipsanity: Sturgeon,"SHIPSANITY,SHIPSANITY_FISH", +2708,Shipping,Shipsanity: Sunfish,"SHIPSANITY,SHIPSANITY_FISH", +2709,Shipping,Shipsanity: Super Cucumber,"SHIPSANITY,SHIPSANITY_FISH", +2710,Shipping,Shipsanity: Tiger Trout,"SHIPSANITY,SHIPSANITY_FISH", +2711,Shipping,Shipsanity: Tilapia,"SHIPSANITY,SHIPSANITY_FISH", +2712,Shipping,Shipsanity: Tuna,"SHIPSANITY,SHIPSANITY_FISH", +2713,Shipping,Shipsanity: Void Salmon,"SHIPSANITY,SHIPSANITY_FISH", +2714,Shipping,Shipsanity: Walleye,"SHIPSANITY,SHIPSANITY_FISH", +2715,Shipping,Shipsanity: Woodskip,"SHIPSANITY,SHIPSANITY_FISH", +2716,Shipping,Shipsanity: Blackberry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2717,Shipping,Shipsanity: Cactus Fruit,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2718,Shipping,Shipsanity: Cave Carrot,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2719,Shipping,Shipsanity: Chanterelle,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2720,Shipping,Shipsanity: Clam,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2721,Shipping,Shipsanity: Coconut,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2722,Shipping,Shipsanity: Common Mushroom,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2723,Shipping,Shipsanity: Coral,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2724,Shipping,Shipsanity: Crocus,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2725,Shipping,Shipsanity: Crystal Fruit,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2726,Shipping,Shipsanity: Daffodil,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2727,Shipping,Shipsanity: Dandelion,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2728,Shipping,Shipsanity: Fiddlehead Fern,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2729,Shipping,Shipsanity: Hazelnut,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2730,Shipping,Shipsanity: Holly,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2731,Shipping,Shipsanity: Leek,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2732,Shipping,Shipsanity: Morel,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2733,Shipping,Shipsanity: Nautilus Shell,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2734,Shipping,Shipsanity: Purple Mushroom,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2735,Shipping,Shipsanity: Rainbow Shell,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2736,Shipping,Shipsanity: Red Mushroom,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2737,Shipping,Shipsanity: Salmonberry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2738,Shipping,Shipsanity: Sea Urchin,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2739,Shipping,Shipsanity: Snow Yam,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2740,Shipping,Shipsanity: Spice Berry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2741,Shipping,Shipsanity: Spring Onion,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2742,Shipping,Shipsanity: Sweet Pea,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2743,Shipping,Shipsanity: Wild Horseradish,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2744,Shipping,Shipsanity: Wild Plum,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2745,Shipping,Shipsanity: Winter Root,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2746,Shipping,Shipsanity: Tea Set,SHIPSANITY, +2747,Shipping,Shipsanity: Battery Pack,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2748,Shipping,Shipsanity: Clay,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2749,Shipping,Shipsanity: Copper Bar,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2750,Shipping,Shipsanity: Fiber,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2751,Shipping,Shipsanity: Gold Bar,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2752,Shipping,Shipsanity: Hardwood,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2753,Shipping,Shipsanity: Iridium Bar,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2754,Shipping,Shipsanity: Iron Bar,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2755,Shipping,Shipsanity: Oil,SHIPSANITY, +2756,Shipping,Shipsanity: Refined Quartz,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2757,Shipping,Shipsanity: Rice,SHIPSANITY, +2758,Shipping,Shipsanity: Sap,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2759,Shipping,Shipsanity: Stone,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2760,Shipping,Shipsanity: Sugar,SHIPSANITY, +2761,Shipping,Shipsanity: Vinegar,SHIPSANITY, +2762,Shipping,Shipsanity: Wheat Flour,SHIPSANITY, +2763,Shipping,Shipsanity: Wood,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2764,Shipping,Shipsanity: Aerinite,SHIPSANITY, +2765,Shipping,Shipsanity: Alamite,SHIPSANITY, +2766,Shipping,Shipsanity: Amethyst,SHIPSANITY, +2767,Shipping,Shipsanity: Amphibian Fossil,SHIPSANITY, +2768,Shipping,Shipsanity: Aquamarine,SHIPSANITY, +2769,Shipping,Shipsanity: Baryte,SHIPSANITY, +2770,Shipping,Shipsanity: Basalt,SHIPSANITY, +2771,Shipping,Shipsanity: Bixite,SHIPSANITY, +2772,Shipping,Shipsanity: Calcite,SHIPSANITY, +2773,Shipping,Shipsanity: Celestine,SHIPSANITY, +2774,Shipping,Shipsanity: Coal,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2775,Shipping,Shipsanity: Copper Ore,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2776,Shipping,Shipsanity: Diamond,SHIPSANITY, +2777,Shipping,Shipsanity: Dolomite,SHIPSANITY, +2778,Shipping,Shipsanity: Earth Crystal,SHIPSANITY, +2779,Shipping,Shipsanity: Emerald,SHIPSANITY, +2780,Shipping,Shipsanity: Esperite,SHIPSANITY, +2781,Shipping,Shipsanity: Fairy Stone,SHIPSANITY, +2782,Shipping,Shipsanity: Fire Opal,SHIPSANITY, +2783,Shipping,Shipsanity: Fire Quartz,SHIPSANITY, +2784,Shipping,Shipsanity: Fluorapatite,SHIPSANITY, +2785,Shipping,Shipsanity: Frozen Geode,SHIPSANITY, +2786,Shipping,Shipsanity: Frozen Tear,SHIPSANITY, +2787,Shipping,Shipsanity: Geminite,SHIPSANITY, +2788,Shipping,Shipsanity: Geode,SHIPSANITY, +2789,Shipping,Shipsanity: Ghost Crystal,SHIPSANITY, +2790,Shipping,Shipsanity: Gold Ore,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2791,Shipping,Shipsanity: Granite,SHIPSANITY, +2792,Shipping,Shipsanity: Helvite,SHIPSANITY, +2793,Shipping,Shipsanity: Hematite,SHIPSANITY, +2794,Shipping,Shipsanity: Iridium Ore,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2795,Shipping,Shipsanity: Iron Ore,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2796,Shipping,Shipsanity: Jade,SHIPSANITY, +2797,Shipping,Shipsanity: Jagoite,SHIPSANITY, +2798,Shipping,Shipsanity: Jamborite,SHIPSANITY, +2799,Shipping,Shipsanity: Jasper,SHIPSANITY, +2800,Shipping,Shipsanity: Kyanite,SHIPSANITY, +2801,Shipping,Shipsanity: Lemon Stone,SHIPSANITY, +2802,Shipping,Shipsanity: Limestone,SHIPSANITY, +2803,Shipping,Shipsanity: Lunarite,SHIPSANITY, +2804,Shipping,Shipsanity: Magma Geode,SHIPSANITY, +2805,Shipping,Shipsanity: Malachite,SHIPSANITY, +2806,Shipping,Shipsanity: Marble,SHIPSANITY, +2807,Shipping,Shipsanity: Mudstone,SHIPSANITY, +2808,Shipping,Shipsanity: Nautilus Fossil,SHIPSANITY, +2809,Shipping,Shipsanity: Nekoite,SHIPSANITY, +2810,Shipping,Shipsanity: Neptunite,SHIPSANITY, +2811,Shipping,Shipsanity: Obsidian,SHIPSANITY, +2812,Shipping,Shipsanity: Ocean Stone,SHIPSANITY, +2813,Shipping,Shipsanity: Omni Geode,SHIPSANITY, +2814,Shipping,Shipsanity: Opal,SHIPSANITY, +2815,Shipping,Shipsanity: Orpiment,SHIPSANITY, +2816,Shipping,Shipsanity: Palm Fossil,SHIPSANITY, +2817,Shipping,Shipsanity: Petrified Slime,SHIPSANITY, +2818,Shipping,Shipsanity: Prehistoric Rib,SHIPSANITY, +2819,Shipping,Shipsanity: Prehistoric Scapula,SHIPSANITY, +2820,Shipping,Shipsanity: Prehistoric Skull,SHIPSANITY, +2821,Shipping,Shipsanity: Prehistoric Tibia,SHIPSANITY, +2822,Shipping,Shipsanity: Prehistoric Vertebra,SHIPSANITY, +2823,Shipping,Shipsanity: Prismatic Shard,SHIPSANITY, +2824,Shipping,Shipsanity: Pyrite,SHIPSANITY, +2825,Shipping,Shipsanity: Quartz,SHIPSANITY, +2826,Shipping,Shipsanity: Ruby,SHIPSANITY, +2827,Shipping,Shipsanity: Sandstone,SHIPSANITY, +2828,Shipping,Shipsanity: Skeletal Hand,SHIPSANITY, +2829,Shipping,Shipsanity: Skeletal Tail,SHIPSANITY, +2830,Shipping,Shipsanity: Slate,SHIPSANITY, +2831,Shipping,Shipsanity: Soapstone,SHIPSANITY, +2832,Shipping,Shipsanity: Star Shards,SHIPSANITY, +2833,Shipping,Shipsanity: Thunder Egg,SHIPSANITY, +2834,Shipping,Shipsanity: Tigerseye,SHIPSANITY, +2835,Shipping,Shipsanity: Topaz,SHIPSANITY, +2836,Shipping,Shipsanity: Trilobite,SHIPSANITY, +2837,Shipping,Shipsanity: Bat Wing,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2838,Shipping,Shipsanity: Bone Fragment,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2839,Shipping,Shipsanity: Curiosity Lure,SHIPSANITY, +2840,Shipping,Shipsanity: Slime,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2841,Shipping,Shipsanity: Solar Essence,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2842,Shipping,Shipsanity: Squid Ink,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2843,Shipping,Shipsanity: Void Essence,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2844,Shipping,Shipsanity: Bouquet,SHIPSANITY, +2845,Shipping,Shipsanity: Energy Tonic,SHIPSANITY, +2846,Shipping,Shipsanity: Golden Pumpkin,SHIPSANITY, +2847,Shipping,Shipsanity: Green Algae,SHIPSANITY, +2848,Shipping,Shipsanity: Hay,SHIPSANITY, +2849,Shipping,Shipsanity: Magic Rock Candy,SHIPSANITY, +2850,Shipping,Shipsanity: Muscle Remedy,SHIPSANITY, +2851,Shipping,Shipsanity: Pearl,SHIPSANITY, +2852,Shipping,Shipsanity: Rotten Plant,SHIPSANITY, +2853,Shipping,Shipsanity: Seaweed,SHIPSANITY, +2854,Shipping,Shipsanity: Void Ghost Pendant,SHIPSANITY, +2855,Shipping,Shipsanity: White Algae,SHIPSANITY, +2856,Shipping,Shipsanity: Wilted Bouquet,SHIPSANITY, +2857,Shipping,Shipsanity: Secret Note,SHIPSANITY, +2858,Shipping,Shipsanity: Acorn,SHIPSANITY, +2859,Shipping,Shipsanity: Amaranth Seeds,SHIPSANITY, +2860,Shipping,Shipsanity: Ancient Seeds,SHIPSANITY, +2861,Shipping,Shipsanity: Apple Sapling,SHIPSANITY, +2862,Shipping,Shipsanity: Apricot Sapling,SHIPSANITY, +2863,Shipping,Shipsanity: Artichoke Seeds,SHIPSANITY, +2864,Shipping,Shipsanity: Bean Starter,SHIPSANITY, +2865,Shipping,Shipsanity: Beet Seeds,SHIPSANITY, +2866,Shipping,Shipsanity: Blueberry Seeds,SHIPSANITY, +2867,Shipping,Shipsanity: Bok Choy Seeds,SHIPSANITY, +2868,Shipping,Shipsanity: Cactus Seeds,SHIPSANITY, +2869,Shipping,Shipsanity: Cauliflower Seeds,SHIPSANITY, +2870,Shipping,Shipsanity: Cherry Sapling,SHIPSANITY, +2871,Shipping,Shipsanity: Coffee Bean,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2872,Shipping,Shipsanity: Corn Seeds,SHIPSANITY, +2873,Shipping,Shipsanity: Cranberry Seeds,SHIPSANITY, +2874,Shipping,Shipsanity: Eggplant Seeds,SHIPSANITY, +2875,Shipping,Shipsanity: Fairy Seeds,SHIPSANITY, +2876,Shipping,Shipsanity: Fall Seeds,SHIPSANITY, +2877,Shipping,Shipsanity: Garlic Seeds,SHIPSANITY, +2878,Shipping,Shipsanity: Grape Starter,SHIPSANITY, +2879,Shipping,Shipsanity: Grass Starter,SHIPSANITY, +2880,Shipping,Shipsanity: Hops Starter,SHIPSANITY, +2881,Shipping,Shipsanity: Jazz Seeds,SHIPSANITY, +2882,Shipping,Shipsanity: Kale Seeds,SHIPSANITY, +2883,Shipping,Shipsanity: Mahogany Seed,SHIPSANITY, +2884,Shipping,Shipsanity: Maple Seed,SHIPSANITY, +2885,Shipping,Shipsanity: Melon Seeds,SHIPSANITY, +2886,Shipping,Shipsanity: Mixed Seeds,SHIPSANITY, +2887,Shipping,Shipsanity: Orange Sapling,SHIPSANITY, +2888,Shipping,Shipsanity: Parsnip Seeds,SHIPSANITY, +2889,Shipping,Shipsanity: Peach Sapling,SHIPSANITY, +2890,Shipping,Shipsanity: Pepper Seeds,SHIPSANITY, +2891,Shipping,Shipsanity: Pine Cone,SHIPSANITY, +2892,Shipping,Shipsanity: Pomegranate Sapling,SHIPSANITY, +2893,Shipping,Shipsanity: Poppy Seeds,SHIPSANITY, +2894,Shipping,Shipsanity: Potato Seeds,SHIPSANITY, +2895,Shipping,Shipsanity: Pumpkin Seeds,SHIPSANITY, +2896,Shipping,Shipsanity: Radish Seeds,SHIPSANITY, +2897,Shipping,Shipsanity: Rare Seed,SHIPSANITY, +2898,Shipping,Shipsanity: Red Cabbage Seeds,SHIPSANITY, +2899,Shipping,Shipsanity: Rhubarb Seeds,SHIPSANITY, +2900,Shipping,Shipsanity: Rice Shoot,SHIPSANITY, +2901,Shipping,Shipsanity: Spangle Seeds,SHIPSANITY, +2902,Shipping,Shipsanity: Spring Seeds,SHIPSANITY, +2903,Shipping,Shipsanity: Starfruit Seeds,SHIPSANITY, +2904,Shipping,Shipsanity: Strawberry Seeds,SHIPSANITY, +2905,Shipping,Shipsanity: Summer Seeds,SHIPSANITY, +2906,Shipping,Shipsanity: Sunflower Seeds,SHIPSANITY, +2907,Shipping,Shipsanity: Tea Sapling,SHIPSANITY, +2908,Shipping,Shipsanity: Tomato Seeds,SHIPSANITY, +2909,Shipping,Shipsanity: Tulip Bulb,SHIPSANITY, +2910,Shipping,Shipsanity: Wheat Seeds,SHIPSANITY, +2911,Shipping,Shipsanity: Winter Seeds,SHIPSANITY, +2912,Shipping,Shipsanity: Yam Seeds,SHIPSANITY, +2913,Shipping,Shipsanity: Broken CD,SHIPSANITY, +2914,Shipping,Shipsanity: Broken Glasses,SHIPSANITY, +2915,Shipping,Shipsanity: Driftwood,SHIPSANITY, +2916,Shipping,Shipsanity: Joja Cola,SHIPSANITY, +2917,Shipping,Shipsanity: Soggy Newspaper,SHIPSANITY, +2918,Shipping,Shipsanity: Trash,SHIPSANITY, +2919,Shipping,Shipsanity: Bug Meat,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2920,Shipping,Shipsanity: Golden Egg,SHIPSANITY, +2921,Shipping,Shipsanity: Ostrich Egg,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2922,Shipping,Shipsanity: Fossilized Leg,"GINGER_ISLAND,SHIPSANITY", +2923,Shipping,Shipsanity: Fossilized Ribs,"GINGER_ISLAND,SHIPSANITY", +2924,Shipping,Shipsanity: Fossilized Skull,"GINGER_ISLAND,SHIPSANITY", +2925,Shipping,Shipsanity: Fossilized Spine,"GINGER_ISLAND,SHIPSANITY", +2926,Shipping,Shipsanity: Fossilized Tail,"GINGER_ISLAND,SHIPSANITY", +2927,Shipping,Shipsanity: Mummified Bat,"GINGER_ISLAND,SHIPSANITY", +2928,Shipping,Shipsanity: Mummified Frog,"GINGER_ISLAND,SHIPSANITY", +2929,Shipping,Shipsanity: Snake Skull,"GINGER_ISLAND,SHIPSANITY", +2930,Shipping,Shipsanity: Snake Vertebrae,"GINGER_ISLAND,SHIPSANITY", +2931,Shipping,Shipsanity: Banana Pudding,"GINGER_ISLAND,SHIPSANITY", +2932,Shipping,Shipsanity: Ginger Ale,"GINGER_ISLAND,SHIPSANITY", +2933,Shipping,Shipsanity: Mango Sticky Rice,"GINGER_ISLAND,SHIPSANITY", +2934,Shipping,Shipsanity: Pina Colada,"GINGER_ISLAND,SHIPSANITY", +2935,Shipping,Shipsanity: Poi,"GINGER_ISLAND,SHIPSANITY", +2936,Shipping,Shipsanity: Tropical Curry,"GINGER_ISLAND,SHIPSANITY", +2937,Shipping,Shipsanity: Deluxe Fertilizer,"GINGER_ISLAND,SHIPSANITY", +2938,Shipping,Shipsanity: Deluxe Retaining Soil,"GINGER_ISLAND,SHIPSANITY", +2939,Shipping,Shipsanity: Fairy Dust,"GINGER_ISLAND,SHIPSANITY", +2940,Shipping,Shipsanity: Hyper Speed-Gro,"GINGER_ISLAND,SHIPSANITY", +2941,Shipping,Shipsanity: Magic Bait,"GINGER_ISLAND,SHIPSANITY", +2942,Shipping,Shipsanity: Banana,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2943,Shipping,Shipsanity: Mango,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2944,Shipping,Shipsanity: Pineapple,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2945,Shipping,Shipsanity: Qi Fruit,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_CROP,REQUIRES_QI_ORDERS", +2946,Shipping,Shipsanity: Taro Root,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2947,Shipping,Shipsanity: Blue Discus,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH", +2948,Shipping,Shipsanity: Glacierfish Jr.,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH,REQUIRES_QI_ORDERS", +2949,Shipping,Shipsanity: Legend II,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH,REQUIRES_QI_ORDERS", +2950,Shipping,Shipsanity: Lionfish,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH", +2951,Shipping,Shipsanity: Ms. Angler,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH,REQUIRES_QI_ORDERS", +2952,Shipping,Shipsanity: Radioactive Carp,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH,REQUIRES_QI_ORDERS", +2953,Shipping,Shipsanity: Son of Crimsonfish,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH,REQUIRES_QI_ORDERS", +2954,Shipping,Shipsanity: Stingray,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FISH", +2955,Shipping,Shipsanity: Ginger,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2956,Shipping,Shipsanity: Magma Cap,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT", +2957,Shipping,Shipsanity: Cinder Shard,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FULL_SHIPMENT", +2958,Shipping,Shipsanity: Dragon Tooth,"GINGER_ISLAND,SHIPSANITY", +2959,Shipping,Shipsanity: Qi Seasoning,"GINGER_ISLAND,SHIPSANITY,REQUIRES_QI_ORDERS", +2960,Shipping,Shipsanity: Radioactive Bar,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FULL_SHIPMENT,REQUIRES_QI_ORDERS", +2961,Shipping,Shipsanity: Radioactive Ore,"GINGER_ISLAND,SHIPSANITY,SHIPSANITY_FULL_SHIPMENT,REQUIRES_QI_ORDERS", +2962,Shipping,Shipsanity: Enricher,"GINGER_ISLAND,SHIPSANITY,REQUIRES_QI_ORDERS", +2963,Shipping,Shipsanity: Pressure Nozzle,"GINGER_ISLAND,SHIPSANITY,REQUIRES_QI_ORDERS", +2964,Shipping,Shipsanity: Galaxy Soul,"GINGER_ISLAND,SHIPSANITY,REQUIRES_QI_ORDERS", +2965,Shipping,Shipsanity: Tiger Slime Egg,"GINGER_ISLAND,SHIPSANITY", +2966,Shipping,Shipsanity: Movie Ticket,"SHIPSANITY", +2967,Shipping,Shipsanity: Journal Scrap,"GINGER_ISLAND,SHIPSANITY", +2968,Shipping,Shipsanity: Banana Sapling,"GINGER_ISLAND,SHIPSANITY", +2969,Shipping,Shipsanity: Mango Sapling,"GINGER_ISLAND,SHIPSANITY", +2970,Shipping,Shipsanity: Mushroom Tree Seed,"GINGER_ISLAND,SHIPSANITY,REQUIRES_QI_ORDERS", +2971,Shipping,Shipsanity: Pineapple Seeds,"GINGER_ISLAND,SHIPSANITY", +2972,Shipping,Shipsanity: Qi Bean,"GINGER_ISLAND,SHIPSANITY", +2973,Shipping,Shipsanity: Taro Tuber,"GINGER_ISLAND,SHIPSANITY", +3001,Adventurer's Guild,Monster Eradication: Slimes,"MONSTERSANITY,MONSTERSANITY_GOALS", +3002,Adventurer's Guild,Monster Eradication: Void Spirits,"MONSTERSANITY,MONSTERSANITY_GOALS", +3003,Adventurer's Guild,Monster Eradication: Bats,"MONSTERSANITY,MONSTERSANITY_GOALS", +3004,Adventurer's Guild,Monster Eradication: Skeletons,"MONSTERSANITY,MONSTERSANITY_GOALS", +3005,Adventurer's Guild,Monster Eradication: Cave Insects,"MONSTERSANITY,MONSTERSANITY_GOALS", +3006,Adventurer's Guild,Monster Eradication: Duggies,"MONSTERSANITY,MONSTERSANITY_GOALS", +3007,Adventurer's Guild,Monster Eradication: Dust Sprites,"MONSTERSANITY,MONSTERSANITY_GOALS", +3008,Adventurer's Guild,Monster Eradication: Rock Crabs,"MONSTERSANITY,MONSTERSANITY_GOALS", +3009,Adventurer's Guild,Monster Eradication: Mummies,"MONSTERSANITY,MONSTERSANITY_GOALS", +3010,Adventurer's Guild,Monster Eradication: Pepper Rex,"MONSTERSANITY,MONSTERSANITY_GOALS,MONSTERSANITY_MONSTER", +3011,Adventurer's Guild,Monster Eradication: Serpents,"MONSTERSANITY,MONSTERSANITY_GOALS", +3012,Adventurer's Guild,Monster Eradication: Magma Sprites,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_GOALS", +3020,Adventurer's Guild,Monster Eradication: 200 Slimes,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3021,Adventurer's Guild,Monster Eradication: 400 Slimes,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3022,Adventurer's Guild,Monster Eradication: 600 Slimes,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3023,Adventurer's Guild,Monster Eradication: 800 Slimes,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3024,Adventurer's Guild,Monster Eradication: 30 Void Spirits,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3025,Adventurer's Guild,Monster Eradication: 60 Void Spirits,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3026,Adventurer's Guild,Monster Eradication: 90 Void Spirits,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3027,Adventurer's Guild,Monster Eradication: 120 Void Spirits,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3028,Adventurer's Guild,Monster Eradication: 40 Bats,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3029,Adventurer's Guild,Monster Eradication: 80 Bats,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3030,Adventurer's Guild,Monster Eradication: 120 Bats,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3031,Adventurer's Guild,Monster Eradication: 160 Bats,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3032,Adventurer's Guild,Monster Eradication: 10 Skeletons,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3033,Adventurer's Guild,Monster Eradication: 20 Skeletons,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3034,Adventurer's Guild,Monster Eradication: 30 Skeletons,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3035,Adventurer's Guild,Monster Eradication: 40 Skeletons,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3036,Adventurer's Guild,Monster Eradication: 25 Cave Insects,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3037,Adventurer's Guild,Monster Eradication: 50 Cave Insects,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3038,Adventurer's Guild,Monster Eradication: 75 Cave Insects,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3039,Adventurer's Guild,Monster Eradication: 100 Cave Insects,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3040,Adventurer's Guild,Monster Eradication: 6 Duggies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3041,Adventurer's Guild,Monster Eradication: 12 Duggies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3042,Adventurer's Guild,Monster Eradication: 18 Duggies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3043,Adventurer's Guild,Monster Eradication: 24 Duggies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3044,Adventurer's Guild,Monster Eradication: 100 Dust Sprites,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3045,Adventurer's Guild,Monster Eradication: 200 Dust Sprites,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3046,Adventurer's Guild,Monster Eradication: 300 Dust Sprites,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3047,Adventurer's Guild,Monster Eradication: 400 Dust Sprites,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3048,Adventurer's Guild,Monster Eradication: 12 Rock Crabs,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3049,Adventurer's Guild,Monster Eradication: 24 Rock Crabs,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3050,Adventurer's Guild,Monster Eradication: 36 Rock Crabs,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3051,Adventurer's Guild,Monster Eradication: 48 Rock Crabs,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3052,Adventurer's Guild,Monster Eradication: 20 Mummies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3053,Adventurer's Guild,Monster Eradication: 40 Mummies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3054,Adventurer's Guild,Monster Eradication: 60 Mummies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3055,Adventurer's Guild,Monster Eradication: 80 Mummies,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3056,Adventurer's Guild,Monster Eradication: 10 Pepper Rex,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3057,Adventurer's Guild,Monster Eradication: 20 Pepper Rex,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3058,Adventurer's Guild,Monster Eradication: 30 Pepper Rex,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3059,Adventurer's Guild,Monster Eradication: 40 Pepper Rex,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3060,Adventurer's Guild,Monster Eradication: 50 Serpents,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3061,Adventurer's Guild,Monster Eradication: 100 Serpents,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3062,Adventurer's Guild,Monster Eradication: 150 Serpents,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3063,Adventurer's Guild,Monster Eradication: 200 Serpents,"MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3064,Adventurer's Guild,Monster Eradication: 30 Magma Sprites,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3065,Adventurer's Guild,Monster Eradication: 60 Magma Sprites,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3066,Adventurer's Guild,Monster Eradication: 90 Magma Sprites,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3067,Adventurer's Guild,Monster Eradication: 120 Magma Sprites,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_PROGRESSIVE_GOALS", +3101,Adventurer's Guild,Monster Eradication: Green Slime,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3102,Adventurer's Guild,Monster Eradication: Frost Jelly,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3103,Adventurer's Guild,Monster Eradication: Sludge,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3104,Adventurer's Guild,Monster Eradication: Tiger Slime,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_MONSTER", +3105,Adventurer's Guild,Monster Eradication: Shadow Shaman,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3106,Adventurer's Guild,Monster Eradication: Shadow Brute,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3107,Adventurer's Guild,Monster Eradication: Shadow Sniper,"GINGER_ISLAND,REQUIRES_QI_ORDERS,MONSTERSANITY,MONSTERSANITY_MONSTER", +3108,Adventurer's Guild,Monster Eradication: Bat,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3109,Adventurer's Guild,Monster Eradication: Frost Bat,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3110,Adventurer's Guild,Monster Eradication: Lava Bat,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3111,Adventurer's Guild,Monster Eradication: Iridium Bat,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3112,Adventurer's Guild,Monster Eradication: Skeleton,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3113,Adventurer's Guild,Monster Eradication: Skeleton Mage,"GINGER_ISLAND,REQUIRES_QI_ORDERS,MONSTERSANITY,MONSTERSANITY_MONSTER", +3114,Adventurer's Guild,Monster Eradication: Bug,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3115,Adventurer's Guild,Monster Eradication: Fly,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3116,Adventurer's Guild,Monster Eradication: Grub,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3117,Adventurer's Guild,Monster Eradication: Duggy,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3118,Adventurer's Guild,Monster Eradication: Magma Duggy,"GINGER_ISLAND,REQUIRES_QI_ORDERS,MONSTERSANITY,MONSTERSANITY_MONSTER", +3119,Adventurer's Guild,Monster Eradication: Dust Sprite,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3120,Adventurer's Guild,Monster Eradication: Rock Crab,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3121,Adventurer's Guild,Monster Eradication: Lava Crab,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3122,Adventurer's Guild,Monster Eradication: Iridium Crab,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3123,Adventurer's Guild,Monster Eradication: Mummy,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3124,Adventurer's Guild,Monster Eradication: Serpent,"MONSTERSANITY,MONSTERSANITY_MONSTER", +3125,Adventurer's Guild,Monster Eradication: Royal Serpent,"GINGER_ISLAND,REQUIRES_QI_ORDERS,MONSTERSANITY,MONSTERSANITY_MONSTER", +3126,Adventurer's Guild,Monster Eradication: Magma Sprite,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_MONSTER", +3127,Adventurer's Guild,Monster Eradication: Magma Sparker,"GINGER_ISLAND,MONSTERSANITY,MONSTERSANITY_MONSTER", +3201,Kitchen,Cook Algae Soup,COOKSANITY, +3202,Kitchen,Cook Artichoke Dip,"COOKSANITY,COOKSANITY_QOS", +3203,Kitchen,Cook Autumn's Bounty,COOKSANITY, +3204,Kitchen,Cook Baked Fish,"COOKSANITY,COOKSANITY_QOS", +3205,Kitchen,Cook Banana Pudding,"COOKSANITY,GINGER_ISLAND", +3206,Kitchen,Cook Bean Hotpot,COOKSANITY, +3207,Kitchen,Cook Blackberry Cobbler,"COOKSANITY,COOKSANITY_QOS", +3208,Kitchen,Cook Blueberry Tart,COOKSANITY, +3209,Kitchen,Cook Bread,"COOKSANITY,COOKSANITY_QOS", +3210,Kitchen,Cook Bruschetta,"COOKSANITY,COOKSANITY_QOS", +3211,Kitchen,Cook Carp Surprise,"COOKSANITY,COOKSANITY_QOS", +3212,Kitchen,Cook Cheese Cauliflower,COOKSANITY, +3213,Kitchen,Cook Chocolate Cake,"COOKSANITY,COOKSANITY_QOS", +3214,Kitchen,Cook Chowder,COOKSANITY, +3215,Kitchen,Cook Coleslaw,"COOKSANITY,COOKSANITY_QOS", +3216,Kitchen,Cook Complete Breakfast,"COOKSANITY,COOKSANITY_QOS", +3217,Kitchen,Cook Cookies,COOKSANITY, +3218,Kitchen,Cook Crab Cakes,"COOKSANITY,COOKSANITY_QOS", +3219,Kitchen,Cook Cranberry Candy,"COOKSANITY,COOKSANITY_QOS", +3220,Kitchen,Cook Cranberry Sauce,COOKSANITY, +3221,Kitchen,Cook Crispy Bass,COOKSANITY, +3222,Kitchen,Cook Dish O' The Sea,COOKSANITY, +3223,Kitchen,Cook Eggplant Parmesan,COOKSANITY, +3224,Kitchen,Cook Escargot,COOKSANITY, +3225,Kitchen,Cook Farmer's Lunch,COOKSANITY, +3226,Kitchen,Cook Fiddlehead Risotto,"COOKSANITY,COOKSANITY_QOS", +3227,Kitchen,Cook Fish Stew,COOKSANITY, +3228,Kitchen,Cook Fish Taco,COOKSANITY, +3229,Kitchen,Cook Fried Calamari,COOKSANITY, +3230,Kitchen,Cook Fried Eel,COOKSANITY, +3231,Kitchen,Cook Fried Egg,COOKSANITY, +3232,Kitchen,Cook Fried Mushroom,COOKSANITY, +3233,Kitchen,Cook Fruit Salad,"COOKSANITY,COOKSANITY_QOS", +3234,Kitchen,Cook Ginger Ale,"COOKSANITY,GINGER_ISLAND", +3235,Kitchen,Cook Glazed Yams,"COOKSANITY,COOKSANITY_QOS", +3236,Kitchen,Cook Hashbrowns,"COOKSANITY,COOKSANITY_QOS", +3237,Kitchen,Cook Ice Cream,COOKSANITY, +3238,Kitchen,Cook Lobster Bisque,"COOKSANITY,COOKSANITY_QOS", +3239,Kitchen,Cook Lucky Lunch,"COOKSANITY,COOKSANITY_QOS", +3240,Kitchen,Cook Maki Roll,"COOKSANITY,COOKSANITY_QOS", +3241,Kitchen,Cook Mango Sticky Rice,"COOKSANITY,GINGER_ISLAND", +3242,Kitchen,Cook Maple Bar,"COOKSANITY,COOKSANITY_QOS", +3243,Kitchen,Cook Miner's Treat,COOKSANITY, +3244,Kitchen,Cook Omelet,"COOKSANITY,COOKSANITY_QOS", +3245,Kitchen,Cook Pale Broth,COOKSANITY, +3246,Kitchen,Cook Pancakes,"COOKSANITY,COOKSANITY_QOS", +3247,Kitchen,Cook Parsnip Soup,COOKSANITY, +3248,Kitchen,Cook Pepper Poppers,COOKSANITY, +3249,Kitchen,Cook Pink Cake,"COOKSANITY,COOKSANITY_QOS", +3250,Kitchen,Cook Pizza,"COOKSANITY,COOKSANITY_QOS", +3251,Kitchen,Cook Plum Pudding,"COOKSANITY,COOKSANITY_QOS", +3252,Kitchen,Cook Poi,"COOKSANITY,GINGER_ISLAND", +3253,Kitchen,Cook Poppyseed Muffin,"COOKSANITY,COOKSANITY_QOS", +3254,Kitchen,Cook Pumpkin Pie,"COOKSANITY,COOKSANITY_QOS", +3255,Kitchen,Cook Pumpkin Soup,COOKSANITY, +3256,Kitchen,Cook Radish Salad,"COOKSANITY,COOKSANITY_QOS", +3257,Kitchen,Cook Red Plate,COOKSANITY, +3258,Kitchen,Cook Rhubarb Pie,COOKSANITY, +3259,Kitchen,Cook Rice Pudding,COOKSANITY, +3260,Kitchen,Cook Roasted Hazelnuts,"COOKSANITY,COOKSANITY_QOS", +3261,Kitchen,Cook Roots Platter,COOKSANITY, +3262,Kitchen,Cook Salad,COOKSANITY, +3263,Kitchen,Cook Salmon Dinner,COOKSANITY, +3264,Kitchen,Cook Sashimi,COOKSANITY, +3265,Kitchen,Cook Seafoam Pudding,COOKSANITY, +3266,Kitchen,Cook Shrimp Cocktail,"COOKSANITY,COOKSANITY_QOS", +3267,Kitchen,Cook Spaghetti,COOKSANITY, +3268,Kitchen,Cook Spicy Eel,COOKSANITY, +3269,Kitchen,Cook Squid Ink Ravioli,COOKSANITY, +3270,Kitchen,Cook Stir Fry,"COOKSANITY,COOKSANITY_QOS", +3271,Kitchen,Cook Strange Bun,COOKSANITY, +3272,Kitchen,Cook Stuffing,COOKSANITY, +3273,Kitchen,Cook Super Meal,COOKSANITY, +3274,Kitchen,Cook Survival Burger,COOKSANITY, +3275,Kitchen,Cook Tom Kha Soup,COOKSANITY, +3276,Kitchen,Cook Tortilla,"COOKSANITY,COOKSANITY_QOS", +3277,Kitchen,Cook Triple Shot Espresso,COOKSANITY, +3278,Kitchen,Cook Tropical Curry,"COOKSANITY,GINGER_ISLAND", +3279,Kitchen,Cook Trout Soup,"COOKSANITY,COOKSANITY_QOS", +3280,Kitchen,Cook Vegetable Medley,COOKSANITY, +3301,Farm,Algae Soup Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3302,The Queen of Sauce,Artichoke Dip Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3303,Farm,Autumn's Bounty Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3304,The Queen of Sauce,Baked Fish Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3305,Farm,Banana Pudding Recipe,"CHEFSANITY,GINGER_ISLAND,CHEFSANITY_PURCHASE", +3306,Farm,Bean Hotpot Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3307,The Queen of Sauce,Blackberry Cobbler Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3308,Farm,Blueberry Tart Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3309,The Queen of Sauce,Bread Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_FRIENDSHIP,CHEFSANITY_PURCHASE", +3310,The Queen of Sauce,Bruschetta Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3311,The Queen of Sauce,Carp Surprise Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3312,Farm,Cheese Cauliflower Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3313,The Queen of Sauce,Chocolate Cake Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3314,Farm,Chowder Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3315,The Queen of Sauce,Coleslaw Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3316,The Queen of Sauce,Complete Breakfast Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3317,Farm,Cookies Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3318,The Queen of Sauce,Crab Cakes Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3319,The Queen of Sauce,Cranberry Candy Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3320,Farm,Cranberry Sauce Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3321,Farm,Crispy Bass Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3322,Farm,Dish O' The Sea Recipe,"CHEFSANITY,CHEFSANITY_SKILL", +3323,Farm,Eggplant Parmesan Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3324,Farm,Escargot Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3325,Farm,Farmer's Lunch Recipe,"CHEFSANITY,CHEFSANITY_SKILL", +3326,The Queen of Sauce,Fiddlehead Risotto Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3327,Farm,Fish Stew Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3328,Farm,Fish Taco Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3329,Farm,Fried Calamari Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3330,Farm,Fried Eel Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3331,Farm,Fried Egg Recipe,CHEFSANITY_STARTER, +3332,Farm,Fried Mushroom Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3333,The Queen of Sauce,Fruit Salad Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3334,Farm,Ginger Ale Recipe,"CHEFSANITY,GINGER_ISLAND,CHEFSANITY_PURCHASE", +3335,The Queen of Sauce,Glazed Yams Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3336,The Queen of Sauce,Hashbrowns Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +3337,Farm,Ice Cream Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3338,The Queen of Sauce,Lobster Bisque Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_FRIENDSHIP", +3339,The Queen of Sauce,Lucky Lunch Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3340,The Queen of Sauce,Maki Roll Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +3341,Farm,Mango Sticky Rice Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP,GINGER_ISLAND", +3342,The Queen of Sauce,Maple Bar Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3343,Farm,Miner's Treat Recipe,"CHEFSANITY,CHEFSANITY_SKILL", +3344,The Queen of Sauce,Omelet Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +3345,Farm,Pale Broth Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3346,The Queen of Sauce,Pancakes Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +3347,Farm,Parsnip Soup Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3348,Farm,Pepper Poppers Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3349,The Queen of Sauce,Pink Cake Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3350,The Queen of Sauce,Pizza Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +3351,The Queen of Sauce,Plum Pudding Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3352,Farm,Poi Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP,GINGER_ISLAND", +3353,The Queen of Sauce,Poppyseed Muffin Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3354,The Queen of Sauce,Pumpkin Pie Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3355,Farm,Pumpkin Soup Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3356,The Queen of Sauce,Radish Salad Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3357,Farm,Red Plate Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3358,Farm,Rhubarb Pie Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3359,Farm,Rice Pudding Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3360,The Queen of Sauce,Roasted Hazelnuts Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3361,Farm,Roots Platter Recipe,"CHEFSANITY,CHEFSANITY_SKILL", +3362,Farm,Salad Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3363,Farm,Salmon Dinner Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3364,Farm,Sashimi Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3365,Farm,Seafoam Pudding Recipe,"CHEFSANITY,CHEFSANITY_SKILL", +3366,The Queen of Sauce,Shrimp Cocktail Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3367,Farm,Spaghetti Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3368,Farm,Spicy Eel Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3369,Farm,Squid Ink Ravioli Recipe,"CHEFSANITY,CHEFSANITY_SKILL", +3370,The Queen of Sauce,Stir Fry Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3371,Farm,Strange Bun Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3372,Farm,Stuffing Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3373,Farm,Super Meal Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3374,Farm,Survival Burger Recipe,"CHEFSANITY,CHEFSANITY_SKILL", +3375,Farm,Tom Kha Soup Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3376,The Queen of Sauce,Tortilla Recipe,"CHEFSANITY,CHEFSANITY_QOS,CHEFSANITY_PURCHASE", +3377,Saloon,Triple Shot Espresso Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE", +3378,Island Resort,Tropical Curry Recipe,"CHEFSANITY,GINGER_ISLAND,CHEFSANITY_PURCHASE", +3379,The Queen of Sauce,Trout Soup Recipe,"CHEFSANITY,CHEFSANITY_QOS", +3380,Farm,Vegetable Medley Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP", +3401,Farm,Craft Cherry Bomb,CRAFTSANITY, +3402,Farm,Craft Bomb,CRAFTSANITY, +3403,Farm,Craft Mega Bomb,CRAFTSANITY, +3404,Farm,Craft Gate,CRAFTSANITY, +3405,Farm,Craft Wood Fence,CRAFTSANITY, +3406,Farm,Craft Stone Fence,CRAFTSANITY, +3407,Farm,Craft Iron Fence,CRAFTSANITY, +3408,Farm,Craft Hardwood Fence,CRAFTSANITY, +3409,Farm,Craft Sprinkler,CRAFTSANITY, +3410,Farm,Craft Quality Sprinkler,CRAFTSANITY, +3411,Farm,Craft Iridium Sprinkler,CRAFTSANITY, +3412,Farm,Craft Bee House,CRAFTSANITY, +3413,Farm,Craft Cask,CRAFTSANITY, +3414,Farm,Craft Cheese Press,CRAFTSANITY, +3415,Farm,Craft Keg,CRAFTSANITY, +3416,Farm,Craft Loom,CRAFTSANITY, +3417,Farm,Craft Mayonnaise Machine,CRAFTSANITY, +3418,Farm,Craft Oil Maker,CRAFTSANITY, +3419,Farm,Craft Preserves Jar,CRAFTSANITY, +3420,Farm,Craft Basic Fertilizer,CRAFTSANITY, +3421,Farm,Craft Quality Fertilizer,CRAFTSANITY, +3422,Farm,Craft Deluxe Fertilizer,CRAFTSANITY, +3423,Farm,Craft Speed-Gro,CRAFTSANITY, +3424,Farm,Craft Deluxe Speed-Gro,CRAFTSANITY, +3425,Farm,Craft Hyper Speed-Gro,"CRAFTSANITY,GINGER_ISLAND", +3426,Farm,Craft Basic Retaining Soil,CRAFTSANITY, +3427,Farm,Craft Quality Retaining Soil,CRAFTSANITY, +3428,Farm,Craft Deluxe Retaining Soil,"CRAFTSANITY,GINGER_ISLAND", +3429,Farm,Craft Tree Fertilizer,CRAFTSANITY, +3430,Farm,Craft Spring Seeds,CRAFTSANITY, +3431,Farm,Craft Summer Seeds,CRAFTSANITY, +3432,Farm,Craft Fall Seeds,CRAFTSANITY, +3433,Farm,Craft Winter Seeds,CRAFTSANITY, +3434,Farm,Craft Ancient Seeds,CRAFTSANITY, +3435,Farm,Craft Grass Starter,CRAFTSANITY, +3436,Farm,Craft Tea Sapling,CRAFTSANITY, +3437,Farm,Craft Fiber Seeds,CRAFTSANITY, +3438,Farm,Craft Wood Floor,CRAFTSANITY, +3439,Farm,Craft Rustic Plank Floor,CRAFTSANITY, +3440,Farm,Craft Straw Floor,CRAFTSANITY, +3441,Farm,Craft Weathered Floor,CRAFTSANITY, +3442,Farm,Craft Crystal Floor,CRAFTSANITY, +3443,Farm,Craft Stone Floor,CRAFTSANITY, +3444,Farm,Craft Stone Walkway Floor,CRAFTSANITY, +3445,Farm,Craft Brick Floor,CRAFTSANITY, +3446,Farm,Craft Wood Path,CRAFTSANITY, +3447,Farm,Craft Gravel Path,CRAFTSANITY, +3448,Farm,Craft Cobblestone Path,CRAFTSANITY, +3449,Farm,Craft Stepping Stone Path,CRAFTSANITY, +3450,Farm,Craft Crystal Path,CRAFTSANITY, +3451,Farm,Craft Spinner,CRAFTSANITY, +3452,Farm,Craft Trap Bobber,CRAFTSANITY, +3453,Farm,Craft Cork Bobber,CRAFTSANITY, +3454,Farm,Craft Quality Bobber,CRAFTSANITY, +3455,Farm,Craft Treasure Hunter,CRAFTSANITY, +3456,Farm,Craft Dressed Spinner,CRAFTSANITY, +3457,Farm,Craft Barbed Hook,CRAFTSANITY, +3458,Farm,Craft Magnet,CRAFTSANITY, +3459,Farm,Craft Bait,CRAFTSANITY, +3460,Farm,Craft Wild Bait,CRAFTSANITY, +3461,Farm,Craft Magic Bait,"CRAFTSANITY,GINGER_ISLAND", +3462,Farm,Craft Crab Pot,CRAFTSANITY, +3463,Farm,Craft Sturdy Ring,CRAFTSANITY, +3464,Farm,Craft Warrior Ring,CRAFTSANITY, +3465,Farm,Craft Ring of Yoba,CRAFTSANITY, +3466,Farm,Craft Thorns Ring,"CRAFTSANITY,GINGER_ISLAND", +3467,Farm,Craft Glowstone Ring,CRAFTSANITY, +3468,Farm,Craft Iridium Band,CRAFTSANITY, +3469,Farm,Craft Wedding Ring,CRAFTSANITY, +3470,Farm,Craft Field Snack,CRAFTSANITY, +3471,Farm,Craft Bug Steak,CRAFTSANITY, +3472,Farm,Craft Life Elixir,CRAFTSANITY, +3473,Farm,Craft Oil of Garlic,CRAFTSANITY, +3474,Farm,Craft Monster Musk,CRAFTSANITY, +3475,Farm,Craft Fairy Dust,CRAFTSANITY, +3476,Farm,Craft Warp Totem: Beach,CRAFTSANITY, +3477,Farm,Craft Warp Totem: Mountains,CRAFTSANITY, +3478,Farm,Craft Warp Totem: Farm,CRAFTSANITY, +3479,Farm,Craft Warp Totem: Desert,CRAFTSANITY, +3480,Farm,Craft Warp Totem: Island,"CRAFTSANITY,GINGER_ISLAND", +3481,Farm,Craft Rain Totem,CRAFTSANITY, +3482,Farm,Craft Torch,CRAFTSANITY, +3483,Farm,Craft Campfire,CRAFTSANITY, +3484,Farm,Craft Wooden Brazier,CRAFTSANITY, +3485,Farm,Craft Stone Brazier,CRAFTSANITY, +3486,Farm,Craft Gold Brazier,CRAFTSANITY, +3487,Farm,Craft Carved Brazier,CRAFTSANITY, +3488,Farm,Craft Stump Brazier,CRAFTSANITY, +3489,Farm,Craft Barrel Brazier,CRAFTSANITY, +3490,Farm,Craft Skull Brazier,CRAFTSANITY, +3491,Farm,Craft Marble Brazier,CRAFTSANITY, +3492,Farm,Craft Wood Lamp-post,CRAFTSANITY, +3493,Farm,Craft Iron Lamp-post,CRAFTSANITY, +3494,Farm,Craft Jack-O-Lantern,CRAFTSANITY, +3495,Farm,Craft Bone Mill,CRAFTSANITY, +3496,Farm,Craft Charcoal Kiln,CRAFTSANITY, +3497,Farm,Craft Crystalarium,CRAFTSANITY, +3498,Farm,Craft Furnace,CRAFTSANITY, +3499,Farm,Craft Geode Crusher,CRAFTSANITY, +3500,Farm,Craft Heavy Tapper,"CRAFTSANITY,GINGER_ISLAND", +3501,Farm,Craft Lightning Rod,CRAFTSANITY, +3502,Farm,Craft Ostrich Incubator,"CRAFTSANITY,GINGER_ISLAND", +3503,Farm,Craft Recycling Machine,CRAFTSANITY, +3504,Farm,Craft Seed Maker,CRAFTSANITY, +3505,Farm,Craft Slime Egg-Press,CRAFTSANITY, +3506,Farm,Craft Slime Incubator,CRAFTSANITY, +3507,Farm,Craft Solar Panel,CRAFTSANITY, +3508,Farm,Craft Tapper,CRAFTSANITY, +3509,Farm,Craft Worm Bin,CRAFTSANITY, +3510,Farm,Craft Tub o' Flowers,CRAFTSANITY, +3511,Farm,Craft Wicked Statue,CRAFTSANITY, +3512,Farm,Craft Flute Block,CRAFTSANITY, +3513,Farm,Craft Drum Block,CRAFTSANITY, +3514,Farm,Craft Chest,CRAFTSANITY, +3515,Farm,Craft Stone Chest,CRAFTSANITY, +3516,Farm,Craft Wood Sign,CRAFTSANITY, +3517,Farm,Craft Stone Sign,CRAFTSANITY, +3518,Farm,Craft Dark Sign,CRAFTSANITY, +3519,Farm,Craft Garden Pot,CRAFTSANITY, +3520,Farm,Craft Scarecrow,CRAFTSANITY, +3521,Farm,Craft Deluxe Scarecrow,CRAFTSANITY, +3522,Farm,Craft Staircase,CRAFTSANITY, +3523,Farm,Craft Explosive Ammo,CRAFTSANITY, +3524,Farm,Craft Transmute (Fe),CRAFTSANITY, +3525,Farm,Craft Transmute (Au),CRAFTSANITY, +3526,Farm,Craft Mini-Jukebox,CRAFTSANITY, +3527,Farm,Craft Mini-Obelisk,CRAFTSANITY, +3528,Farm,Craft Farm Computer,CRAFTSANITY, +3529,Farm,Craft Hopper,"CRAFTSANITY,GINGER_ISLAND", +3530,Farm,Craft Cookout Kit,CRAFTSANITY, +3551,Pierre's General Store,Grass Starter Recipe,CRAFTSANITY, +3552,Carpenter Shop,Wood Floor Recipe,CRAFTSANITY, +3553,Carpenter Shop,Rustic Plank Floor Recipe,CRAFTSANITY, +3554,Carpenter Shop,Straw Floor Recipe,CRAFTSANITY, +3555,Mines Dwarf Shop,Weathered Floor Recipe,CRAFTSANITY, +3556,Sewer,Crystal Floor Recipe,CRAFTSANITY, +3557,Carpenter Shop,Stone Floor Recipe,CRAFTSANITY, +3558,Carpenter Shop,Stone Walkway Floor Recipe,CRAFTSANITY, +3559,Carpenter Shop,Brick Floor Recipe,CRAFTSANITY, +3560,Carpenter Shop,Stepping Stone Path Recipe,CRAFTSANITY, +3561,Carpenter Shop,Crystal Path Recipe,CRAFTSANITY, +3562,Traveling Cart,Wedding Ring Recipe,CRAFTSANITY, +3563,Volcano Dwarf Shop,Warp Totem: Island Recipe,"CRAFTSANITY,GINGER_ISLAND", +3564,Carpenter Shop,Wooden Brazier Recipe,CRAFTSANITY, +3565,Carpenter Shop,Stone Brazier Recipe,CRAFTSANITY, +3566,Carpenter Shop,Gold Brazier Recipe,CRAFTSANITY, +3567,Carpenter Shop,Carved Brazier Recipe,CRAFTSANITY, +3568,Carpenter Shop,Stump Brazier Recipe,CRAFTSANITY, +3569,Carpenter Shop,Barrel Brazier Recipe,CRAFTSANITY, +3570,Carpenter Shop,Skull Brazier Recipe,CRAFTSANITY, +3571,Carpenter Shop,Marble Brazier Recipe,CRAFTSANITY, +3572,Carpenter Shop,Wood Lamp-post Recipe,CRAFTSANITY, +3573,Carpenter Shop,Iron Lamp-post Recipe,CRAFTSANITY, +3574,Sewer,Wicked Statue Recipe,CRAFTSANITY, +3575,Desert,Warp Totem: Desert Recipe,"CRAFTSANITY", +3576,Island Trader,Deluxe Retaining Soil Recipe,"CRAFTSANITY,GINGER_ISLAND", +5001,Stardew Valley,Level 1 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5002,Stardew Valley,Level 2 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5003,Stardew Valley,Level 3 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5004,Stardew Valley,Level 4 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5005,Stardew Valley,Level 5 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5006,Stardew Valley,Level 6 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5007,Stardew Valley,Level 7 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5008,Stardew Valley,Level 8 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5009,Stardew Valley,Level 9 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5010,Stardew Valley,Level 10 Luck,"LUCK_LEVEL,SKILL_LEVEL",Luck Skill +5011,Stardew Valley,Level 1 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5012,Stardew Valley,Level 2 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5013,Stardew Valley,Level 3 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5014,Stardew Valley,Level 4 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5015,Stardew Valley,Level 5 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5016,Stardew Valley,Level 6 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5017,Stardew Valley,Level 7 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5018,Stardew Valley,Level 8 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5019,Stardew Valley,Level 9 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5020,Stardew Valley,Level 10 Socializing,"SKILL_LEVEL,SOCIALIZING_LEVEL",Socializing Skill +5021,Magic Altar,Level 1 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5022,Magic Altar,Level 2 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5023,Magic Altar,Level 3 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5024,Magic Altar,Level 4 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5025,Magic Altar,Level 5 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5026,Magic Altar,Level 6 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5027,Magic Altar,Level 7 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5028,Magic Altar,Level 8 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5029,Magic Altar,Level 9 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5030,Magic Altar,Level 10 Magic,"MAGIC_LEVEL,SKILL_LEVEL",Magic +5031,Town,Level 1 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5032,Town,Level 2 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5033,Town,Level 3 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5034,Town,Level 4 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5035,Town,Level 5 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5036,Town,Level 6 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5037,Town,Level 7 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5038,Town,Level 8 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5039,Town,Level 9 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5040,Town,Level 10 Binning,"BINNING_LEVEL,SKILL_LEVEL",Binning Skill +5041,Stardew Valley,Level 1 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5042,Stardew Valley,Level 2 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5043,Stardew Valley,Level 3 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5044,Stardew Valley,Level 4 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5045,Stardew Valley,Level 5 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5046,Stardew Valley,Level 6 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5047,Stardew Valley,Level 7 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5048,Stardew Valley,Level 8 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5049,Stardew Valley,Level 9 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5050,Stardew Valley,Level 10 Archaeology,"ARCHAEOLOGY_LEVEL,SKILL_LEVEL",Archaeology +5051,Stardew Valley,Level 1 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5052,Stardew Valley,Level 2 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5053,Stardew Valley,Level 3 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5054,Stardew Valley,Level 4 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5055,Stardew Valley,Level 5 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5056,Stardew Valley,Level 6 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5057,Stardew Valley,Level 7 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5058,Stardew Valley,Level 8 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5059,Stardew Valley,Level 9 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5060,Stardew Valley,Level 10 Cooking,"COOKING_LEVEL,SKILL_LEVEL",Cooking Skill +5501,Magic Altar,Analyze: Clear Debris,MANDATORY,Magic +5502,Magic Altar,Analyze: Till,MANDATORY,Magic +5503,Magic Altar,Analyze: Water,MANDATORY,Magic +5504,Magic Altar,Analyze All Toil School Locations,MANDATORY,Magic +5505,Magic Altar,Analyze: Evac,MANDATORY,Magic +5506,Magic Altar,Analyze: Haste,MANDATORY,Magic +5507,Magic Altar,Analyze: Heal,MANDATORY,Magic +5508,Magic Altar,Analyze All Life School Locations,MANDATORY,Magic +5509,Magic Altar,Analyze: Descend,MANDATORY,Magic +5510,Magic Altar,Analyze: Fireball,MANDATORY,Magic +5511,Magic Altar,Analyze: Frostbolt,MANDATORY,Magic +5512,Magic Altar,Analyze All Elemental School Locations,MANDATORY,Magic +5513,Magic Altar,Analyze: Lantern,MANDATORY,Magic +5514,Magic Altar,Analyze: Tendrils,MANDATORY,Magic +5515,Magic Altar,Analyze: Shockwave,MANDATORY,Magic +5516,Magic Altar,Analyze All Nature School Locations,MANDATORY,Magic +5517,Magic Altar,Analyze: Meteor,MANDATORY,Magic +5518,Magic Altar,Analyze: Lucksteal,MANDATORY,Magic +5519,Magic Altar,Analyze: Bloodmana,MANDATORY,Magic +5520,Magic Altar,Analyze All Eldritch School Locations,MANDATORY,Magic +5521,Magic Altar,Analyze Every Magic School Location,MANDATORY,Magic +6001,Museum,Friendsanity: Jasper 1 <3,FRIENDSANITY,Professor Jasper Thomas +6002,Museum,Friendsanity: Jasper 2 <3,FRIENDSANITY,Professor Jasper Thomas +6003,Museum,Friendsanity: Jasper 3 <3,FRIENDSANITY,Professor Jasper Thomas +6004,Museum,Friendsanity: Jasper 4 <3,FRIENDSANITY,Professor Jasper Thomas +6005,Museum,Friendsanity: Jasper 5 <3,FRIENDSANITY,Professor Jasper Thomas +6006,Museum,Friendsanity: Jasper 6 <3,FRIENDSANITY,Professor Jasper Thomas +6007,Museum,Friendsanity: Jasper 7 <3,FRIENDSANITY,Professor Jasper Thomas +6008,Museum,Friendsanity: Jasper 8 <3,FRIENDSANITY,Professor Jasper Thomas +6009,Museum,Friendsanity: Jasper 9 <3,FRIENDSANITY,Professor Jasper Thomas +6010,Museum,Friendsanity: Jasper 10 <3,FRIENDSANITY,Professor Jasper Thomas +6011,Museum,Friendsanity: Jasper 11 <3,FRIENDSANITY,Professor Jasper Thomas +6012,Museum,Friendsanity: Jasper 12 <3,FRIENDSANITY,Professor Jasper Thomas +6013,Museum,Friendsanity: Jasper 13 <3,FRIENDSANITY,Professor Jasper Thomas +6014,Museum,Friendsanity: Jasper 14 <3,FRIENDSANITY,Professor Jasper Thomas +6015,Yoba's Clearing,Friendsanity: Yoba 1 <3,FRIENDSANITY,Custom NPC - Yoba +6016,Yoba's Clearing,Friendsanity: Yoba 2 <3,FRIENDSANITY,Custom NPC - Yoba +6017,Yoba's Clearing,Friendsanity: Yoba 3 <3,FRIENDSANITY,Custom NPC - Yoba +6018,Yoba's Clearing,Friendsanity: Yoba 4 <3,FRIENDSANITY,Custom NPC - Yoba +6019,Yoba's Clearing,Friendsanity: Yoba 5 <3,FRIENDSANITY,Custom NPC - Yoba +6020,Yoba's Clearing,Friendsanity: Yoba 6 <3,FRIENDSANITY,Custom NPC - Yoba +6021,Yoba's Clearing,Friendsanity: Yoba 7 <3,FRIENDSANITY,Custom NPC - Yoba +6022,Yoba's Clearing,Friendsanity: Yoba 8 <3,FRIENDSANITY,Custom NPC - Yoba +6023,Yoba's Clearing,Friendsanity: Yoba 9 <3,FRIENDSANITY,Custom NPC - Yoba +6024,Yoba's Clearing,Friendsanity: Yoba 10 <3,FRIENDSANITY,Custom NPC - Yoba +6025,Marnie's Ranch,Friendsanity: Mr. Ginger 1 <3,FRIENDSANITY,Mister Ginger (cat npc) +6026,Marnie's Ranch,Friendsanity: Mr. Ginger 2 <3,FRIENDSANITY,Mister Ginger (cat npc) +6027,Marnie's Ranch,Friendsanity: Mr. Ginger 3 <3,FRIENDSANITY,Mister Ginger (cat npc) +6028,Marnie's Ranch,Friendsanity: Mr. Ginger 4 <3,FRIENDSANITY,Mister Ginger (cat npc) +6029,Marnie's Ranch,Friendsanity: Mr. Ginger 5 <3,FRIENDSANITY,Mister Ginger (cat npc) +6030,Marnie's Ranch,Friendsanity: Mr. Ginger 6 <3,FRIENDSANITY,Mister Ginger (cat npc) +6031,Marnie's Ranch,Friendsanity: Mr. Ginger 7 <3,FRIENDSANITY,Mister Ginger (cat npc) +6032,Marnie's Ranch,Friendsanity: Mr. Ginger 8 <3,FRIENDSANITY,Mister Ginger (cat npc) +6033,Marnie's Ranch,Friendsanity: Mr. Ginger 9 <3,FRIENDSANITY,Mister Ginger (cat npc) +6034,Marnie's Ranch,Friendsanity: Mr. Ginger 10 <3,FRIENDSANITY,Mister Ginger (cat npc) +6035,Town,Friendsanity: Ayeisha 1 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6036,Town,Friendsanity: Ayeisha 2 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6037,Town,Friendsanity: Ayeisha 3 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6038,Town,Friendsanity: Ayeisha 4 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6039,Town,Friendsanity: Ayeisha 5 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6040,Town,Friendsanity: Ayeisha 6 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6041,Town,Friendsanity: Ayeisha 7 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6042,Town,Friendsanity: Ayeisha 8 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6043,Town,Friendsanity: Ayeisha 9 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6044,Town,Friendsanity: Ayeisha 10 <3,FRIENDSANITY,Ayeisha - The Postal Worker (Custom NPC) +6045,Saloon,Friendsanity: Shiko 1 <3,FRIENDSANITY,Shiko - New Custom NPC +6046,Saloon,Friendsanity: Shiko 2 <3,FRIENDSANITY,Shiko - New Custom NPC +6047,Saloon,Friendsanity: Shiko 3 <3,FRIENDSANITY,Shiko - New Custom NPC +6048,Saloon,Friendsanity: Shiko 4 <3,FRIENDSANITY,Shiko - New Custom NPC +6049,Saloon,Friendsanity: Shiko 5 <3,FRIENDSANITY,Shiko - New Custom NPC +6050,Saloon,Friendsanity: Shiko 6 <3,FRIENDSANITY,Shiko - New Custom NPC +6051,Saloon,Friendsanity: Shiko 7 <3,FRIENDSANITY,Shiko - New Custom NPC +6052,Saloon,Friendsanity: Shiko 8 <3,FRIENDSANITY,Shiko - New Custom NPC +6053,Saloon,Friendsanity: Shiko 9 <3,FRIENDSANITY,Shiko - New Custom NPC +6054,Saloon,Friendsanity: Shiko 10 <3,FRIENDSANITY,Shiko - New Custom NPC +6055,Saloon,Friendsanity: Shiko 11 <3,FRIENDSANITY,Shiko - New Custom NPC +6056,Saloon,Friendsanity: Shiko 12 <3,FRIENDSANITY,Shiko - New Custom NPC +6057,Saloon,Friendsanity: Shiko 13 <3,FRIENDSANITY,Shiko - New Custom NPC +6058,Saloon,Friendsanity: Shiko 14 <3,FRIENDSANITY,Shiko - New Custom NPC +6059,Wizard Tower,Friendsanity: Wellwick 1 <3,FRIENDSANITY,'Prophet' Wellwick +6060,Wizard Tower,Friendsanity: Wellwick 2 <3,FRIENDSANITY,'Prophet' Wellwick +6061,Wizard Tower,Friendsanity: Wellwick 3 <3,FRIENDSANITY,'Prophet' Wellwick +6062,Wizard Tower,Friendsanity: Wellwick 4 <3,FRIENDSANITY,'Prophet' Wellwick +6063,Wizard Tower,Friendsanity: Wellwick 5 <3,FRIENDSANITY,'Prophet' Wellwick +6064,Wizard Tower,Friendsanity: Wellwick 6 <3,FRIENDSANITY,'Prophet' Wellwick +6065,Wizard Tower,Friendsanity: Wellwick 7 <3,FRIENDSANITY,'Prophet' Wellwick +6066,Wizard Tower,Friendsanity: Wellwick 8 <3,FRIENDSANITY,'Prophet' Wellwick +6067,Wizard Tower,Friendsanity: Wellwick 9 <3,FRIENDSANITY,'Prophet' Wellwick +6068,Wizard Tower,Friendsanity: Wellwick 10 <3,FRIENDSANITY,'Prophet' Wellwick +6069,Wizard Tower,Friendsanity: Wellwick 11 <3,FRIENDSANITY,'Prophet' Wellwick +6070,Wizard Tower,Friendsanity: Wellwick 12 <3,FRIENDSANITY,'Prophet' Wellwick +6071,Wizard Tower,Friendsanity: Wellwick 13 <3,FRIENDSANITY,'Prophet' Wellwick +6072,Wizard Tower,Friendsanity: Wellwick 14 <3,FRIENDSANITY,'Prophet' Wellwick +6073,Forest,Friendsanity: Delores 1 <3,FRIENDSANITY,Delores - Custom NPC +6074,Forest,Friendsanity: Delores 2 <3,FRIENDSANITY,Delores - Custom NPC +6075,Forest,Friendsanity: Delores 3 <3,FRIENDSANITY,Delores - Custom NPC +6076,Forest,Friendsanity: Delores 4 <3,FRIENDSANITY,Delores - Custom NPC +6077,Forest,Friendsanity: Delores 5 <3,FRIENDSANITY,Delores - Custom NPC +6078,Forest,Friendsanity: Delores 6 <3,FRIENDSANITY,Delores - Custom NPC +6079,Forest,Friendsanity: Delores 7 <3,FRIENDSANITY,Delores - Custom NPC +6080,Forest,Friendsanity: Delores 8 <3,FRIENDSANITY,Delores - Custom NPC +6081,Forest,Friendsanity: Delores 9 <3,FRIENDSANITY,Delores - Custom NPC +6082,Forest,Friendsanity: Delores 10 <3,FRIENDSANITY,Delores - Custom NPC +6083,Forest,Friendsanity: Delores 11 <3,FRIENDSANITY,Delores - Custom NPC +6084,Forest,Friendsanity: Delores 12 <3,FRIENDSANITY,Delores - Custom NPC +6085,Forest,Friendsanity: Delores 13 <3,FRIENDSANITY,Delores - Custom NPC +6086,Forest,Friendsanity: Delores 14 <3,FRIENDSANITY,Delores - Custom NPC +6087,Alec's Pet Shop,Friendsanity: Alec 1 <3,FRIENDSANITY,Alec Revisited +6088,Alec's Pet Shop,Friendsanity: Alec 2 <3,FRIENDSANITY,Alec Revisited +6089,Alec's Pet Shop,Friendsanity: Alec 3 <3,FRIENDSANITY,Alec Revisited +6090,Alec's Pet Shop,Friendsanity: Alec 4 <3,FRIENDSANITY,Alec Revisited +6091,Alec's Pet Shop,Friendsanity: Alec 5 <3,FRIENDSANITY,Alec Revisited +6092,Alec's Pet Shop,Friendsanity: Alec 6 <3,FRIENDSANITY,Alec Revisited +6093,Alec's Pet Shop,Friendsanity: Alec 7 <3,FRIENDSANITY,Alec Revisited +6094,Alec's Pet Shop,Friendsanity: Alec 8 <3,FRIENDSANITY,Alec Revisited +6095,Alec's Pet Shop,Friendsanity: Alec 9 <3,FRIENDSANITY,Alec Revisited +6096,Alec's Pet Shop,Friendsanity: Alec 10 <3,FRIENDSANITY,Alec Revisited +6097,Alec's Pet Shop,Friendsanity: Alec 11 <3,FRIENDSANITY,Alec Revisited +6098,Alec's Pet Shop,Friendsanity: Alec 12 <3,FRIENDSANITY,Alec Revisited +6099,Alec's Pet Shop,Friendsanity: Alec 13 <3,FRIENDSANITY,Alec Revisited +6100,Alec's Pet Shop,Friendsanity: Alec 14 <3,FRIENDSANITY,Alec Revisited +6101,Eugene's Garden,Friendsanity: Eugene 1 <3,FRIENDSANITY,Custom NPC Eugene +6102,Eugene's Garden,Friendsanity: Eugene 2 <3,FRIENDSANITY,Custom NPC Eugene +6103,Eugene's Garden,Friendsanity: Eugene 3 <3,FRIENDSANITY,Custom NPC Eugene +6104,Eugene's Garden,Friendsanity: Eugene 4 <3,FRIENDSANITY,Custom NPC Eugene +6105,Eugene's Garden,Friendsanity: Eugene 5 <3,FRIENDSANITY,Custom NPC Eugene +6106,Eugene's Garden,Friendsanity: Eugene 6 <3,FRIENDSANITY,Custom NPC Eugene +6107,Eugene's Garden,Friendsanity: Eugene 7 <3,FRIENDSANITY,Custom NPC Eugene +6108,Eugene's Garden,Friendsanity: Eugene 8 <3,FRIENDSANITY,Custom NPC Eugene +6109,Eugene's Garden,Friendsanity: Eugene 9 <3,FRIENDSANITY,Custom NPC Eugene +6110,Eugene's Garden,Friendsanity: Eugene 10 <3,FRIENDSANITY,Custom NPC Eugene +6111,Eugene's Garden,Friendsanity: Eugene 11 <3,FRIENDSANITY,Custom NPC Eugene +6112,Eugene's Garden,Friendsanity: Eugene 12 <3,FRIENDSANITY,Custom NPC Eugene +6113,Eugene's Garden,Friendsanity: Eugene 13 <3,FRIENDSANITY,Custom NPC Eugene +6114,Eugene's Garden,Friendsanity: Eugene 14 <3,FRIENDSANITY,Custom NPC Eugene +6115,Forest,Friendsanity: Juna 1 <3,FRIENDSANITY,Juna - Roommate NPC +6116,Forest,Friendsanity: Juna 2 <3,FRIENDSANITY,Juna - Roommate NPC +6117,Forest,Friendsanity: Juna 3 <3,FRIENDSANITY,Juna - Roommate NPC +6118,Forest,Friendsanity: Juna 4 <3,FRIENDSANITY,Juna - Roommate NPC +6119,Forest,Friendsanity: Juna 5 <3,FRIENDSANITY,Juna - Roommate NPC +6120,Forest,Friendsanity: Juna 6 <3,FRIENDSANITY,Juna - Roommate NPC +6121,Forest,Friendsanity: Juna 7 <3,FRIENDSANITY,Juna - Roommate NPC +6122,Forest,Friendsanity: Juna 8 <3,FRIENDSANITY,Juna - Roommate NPC +6123,Forest,Friendsanity: Juna 9 <3,FRIENDSANITY,Juna - Roommate NPC +6124,Forest,Friendsanity: Juna 10 <3,FRIENDSANITY,Juna - Roommate NPC +6125,Riley's House,Friendsanity: Riley 1 <3,FRIENDSANITY,Custom NPC - Riley +6126,Riley's House,Friendsanity: Riley 2 <3,FRIENDSANITY,Custom NPC - Riley +6127,Riley's House,Friendsanity: Riley 3 <3,FRIENDSANITY,Custom NPC - Riley +6128,Riley's House,Friendsanity: Riley 4 <3,FRIENDSANITY,Custom NPC - Riley +6129,Riley's House,Friendsanity: Riley 5 <3,FRIENDSANITY,Custom NPC - Riley +6130,Riley's House,Friendsanity: Riley 6 <3,FRIENDSANITY,Custom NPC - Riley +6131,Riley's House,Friendsanity: Riley 7 <3,FRIENDSANITY,Custom NPC - Riley +6132,Riley's House,Friendsanity: Riley 8 <3,FRIENDSANITY,Custom NPC - Riley +6133,Riley's House,Friendsanity: Riley 9 <3,FRIENDSANITY,Custom NPC - Riley +6134,Riley's House,Friendsanity: Riley 10 <3,FRIENDSANITY,Custom NPC - Riley +6135,Riley's House,Friendsanity: Riley 11 <3,FRIENDSANITY,Custom NPC - Riley +6136,Riley's House,Friendsanity: Riley 12 <3,FRIENDSANITY,Custom NPC - Riley +6137,Riley's House,Friendsanity: Riley 13 <3,FRIENDSANITY,Custom NPC - Riley +6138,Riley's House,Friendsanity: Riley 14 <3,FRIENDSANITY,Custom NPC - Riley +6139,JojaMart,Friendsanity: Claire 1 <3,FRIENDSANITY,Stardew Valley Expanded +6140,JojaMart,Friendsanity: Claire 2 <3,FRIENDSANITY,Stardew Valley Expanded +6141,JojaMart,Friendsanity: Claire 3 <3,FRIENDSANITY,Stardew Valley Expanded +6142,JojaMart,Friendsanity: Claire 4 <3,FRIENDSANITY,Stardew Valley Expanded +6143,JojaMart,Friendsanity: Claire 5 <3,FRIENDSANITY,Stardew Valley Expanded +6144,JojaMart,Friendsanity: Claire 6 <3,FRIENDSANITY,Stardew Valley Expanded +6145,JojaMart,Friendsanity: Claire 7 <3,FRIENDSANITY,Stardew Valley Expanded +6146,JojaMart,Friendsanity: Claire 8 <3,FRIENDSANITY,Stardew Valley Expanded +6147,JojaMart,Friendsanity: Claire 9 <3,FRIENDSANITY,Stardew Valley Expanded +6148,JojaMart,Friendsanity: Claire 10 <3,FRIENDSANITY,Stardew Valley Expanded +6149,JojaMart,Friendsanity: Claire 11 <3,FRIENDSANITY,Stardew Valley Expanded +6150,JojaMart,Friendsanity: Claire 12 <3,FRIENDSANITY,Stardew Valley Expanded +6151,JojaMart,Friendsanity: Claire 13 <3,FRIENDSANITY,Stardew Valley Expanded +6152,JojaMart,Friendsanity: Claire 14 <3,FRIENDSANITY,Stardew Valley Expanded +6153,Galmoran Outpost,Friendsanity: Lance 1 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6154,Galmoran Outpost,Friendsanity: Lance 2 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6155,Galmoran Outpost,Friendsanity: Lance 3 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6156,Galmoran Outpost,Friendsanity: Lance 4 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6157,Galmoran Outpost,Friendsanity: Lance 5 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6158,Galmoran Outpost,Friendsanity: Lance 6 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6159,Galmoran Outpost,Friendsanity: Lance 7 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6160,Galmoran Outpost,Friendsanity: Lance 8 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6161,Galmoran Outpost,Friendsanity: Lance 9 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6162,Galmoran Outpost,Friendsanity: Lance 10 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6163,Galmoran Outpost,Friendsanity: Lance 11 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6164,Galmoran Outpost,Friendsanity: Lance 12 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6165,Galmoran Outpost,Friendsanity: Lance 13 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6166,Galmoran Outpost,Friendsanity: Lance 14 <3,"FRIENDSANITY,GINGER_ISLAND",Stardew Valley Expanded +6167,Jenkins' Residence,Friendsanity: Olivia 1 <3,FRIENDSANITY,Stardew Valley Expanded +6168,Jenkins' Residence,Friendsanity: Olivia 2 <3,FRIENDSANITY,Stardew Valley Expanded +6169,Jenkins' Residence,Friendsanity: Olivia 3 <3,FRIENDSANITY,Stardew Valley Expanded +6170,Jenkins' Residence,Friendsanity: Olivia 4 <3,FRIENDSANITY,Stardew Valley Expanded +6171,Jenkins' Residence,Friendsanity: Olivia 5 <3,FRIENDSANITY,Stardew Valley Expanded +6172,Jenkins' Residence,Friendsanity: Olivia 6 <3,FRIENDSANITY,Stardew Valley Expanded +6173,Jenkins' Residence,Friendsanity: Olivia 7 <3,FRIENDSANITY,Stardew Valley Expanded +6174,Jenkins' Residence,Friendsanity: Olivia 8 <3,FRIENDSANITY,Stardew Valley Expanded +6175,Jenkins' Residence,Friendsanity: Olivia 9 <3,FRIENDSANITY,Stardew Valley Expanded +6176,Jenkins' Residence,Friendsanity: Olivia 10 <3,FRIENDSANITY,Stardew Valley Expanded +6177,Jenkins' Residence,Friendsanity: Olivia 11 <3,FRIENDSANITY,Stardew Valley Expanded +6178,Jenkins' Residence,Friendsanity: Olivia 12 <3,FRIENDSANITY,Stardew Valley Expanded +6179,Jenkins' Residence,Friendsanity: Olivia 13 <3,FRIENDSANITY,Stardew Valley Expanded +6180,Jenkins' Residence,Friendsanity: Olivia 14 <3,FRIENDSANITY,Stardew Valley Expanded +6181,Wizard Tower,Friendsanity: Wizard 11 <3,FRIENDSANITY,Stardew Valley Expanded +6182,Wizard Tower,Friendsanity: Wizard 12 <3,FRIENDSANITY,Stardew Valley Expanded +6183,Wizard Tower,Friendsanity: Wizard 13 <3,FRIENDSANITY,Stardew Valley Expanded +6184,Wizard Tower,Friendsanity: Wizard 14 <3,FRIENDSANITY,Stardew Valley Expanded +6185,Blue Moon Vineyard,Friendsanity: Sophia 1 <3,FRIENDSANITY,Stardew Valley Expanded +6186,Blue Moon Vineyard,Friendsanity: Sophia 2 <3,FRIENDSANITY,Stardew Valley Expanded +6187,Blue Moon Vineyard,Friendsanity: Sophia 3 <3,FRIENDSANITY,Stardew Valley Expanded +6188,Blue Moon Vineyard,Friendsanity: Sophia 4 <3,FRIENDSANITY,Stardew Valley Expanded +6189,Blue Moon Vineyard,Friendsanity: Sophia 5 <3,FRIENDSANITY,Stardew Valley Expanded +6190,Blue Moon Vineyard,Friendsanity: Sophia 6 <3,FRIENDSANITY,Stardew Valley Expanded +6191,Blue Moon Vineyard,Friendsanity: Sophia 7 <3,FRIENDSANITY,Stardew Valley Expanded +6192,Blue Moon Vineyard,Friendsanity: Sophia 8 <3,FRIENDSANITY,Stardew Valley Expanded +6193,Blue Moon Vineyard,Friendsanity: Sophia 9 <3,FRIENDSANITY,Stardew Valley Expanded +6194,Blue Moon Vineyard,Friendsanity: Sophia 10 <3,FRIENDSANITY,Stardew Valley Expanded +6195,Blue Moon Vineyard,Friendsanity: Sophia 11 <3,FRIENDSANITY,Stardew Valley Expanded +6196,Blue Moon Vineyard,Friendsanity: Sophia 12 <3,FRIENDSANITY,Stardew Valley Expanded +6197,Blue Moon Vineyard,Friendsanity: Sophia 13 <3,FRIENDSANITY,Stardew Valley Expanded +6198,Blue Moon Vineyard,Friendsanity: Sophia 14 <3,FRIENDSANITY,Stardew Valley Expanded +6199,Jenkins' Residence,Friendsanity: Victor 1 <3,FRIENDSANITY,Stardew Valley Expanded +6200,Jenkins' Residence,Friendsanity: Victor 2 <3,FRIENDSANITY,Stardew Valley Expanded +6201,Jenkins' Residence,Friendsanity: Victor 3 <3,FRIENDSANITY,Stardew Valley Expanded +6202,Jenkins' Residence,Friendsanity: Victor 4 <3,FRIENDSANITY,Stardew Valley Expanded +6203,Jenkins' Residence,Friendsanity: Victor 5 <3,FRIENDSANITY,Stardew Valley Expanded +6204,Jenkins' Residence,Friendsanity: Victor 6 <3,FRIENDSANITY,Stardew Valley Expanded +6205,Jenkins' Residence,Friendsanity: Victor 7 <3,FRIENDSANITY,Stardew Valley Expanded +6206,Jenkins' Residence,Friendsanity: Victor 8 <3,FRIENDSANITY,Stardew Valley Expanded +6207,Jenkins' Residence,Friendsanity: Victor 9 <3,FRIENDSANITY,Stardew Valley Expanded +6208,Jenkins' Residence,Friendsanity: Victor 10 <3,FRIENDSANITY,Stardew Valley Expanded +6209,Jenkins' Residence,Friendsanity: Victor 11 <3,FRIENDSANITY,Stardew Valley Expanded +6210,Jenkins' Residence,Friendsanity: Victor 12 <3,FRIENDSANITY,Stardew Valley Expanded +6211,Jenkins' Residence,Friendsanity: Victor 13 <3,FRIENDSANITY,Stardew Valley Expanded +6212,Jenkins' Residence,Friendsanity: Victor 14 <3,FRIENDSANITY,Stardew Valley Expanded +6213,Fairhaven Farm,Friendsanity: Andy 1 <3,FRIENDSANITY,Stardew Valley Expanded +6214,Fairhaven Farm,Friendsanity: Andy 2 <3,FRIENDSANITY,Stardew Valley Expanded +6215,Fairhaven Farm,Friendsanity: Andy 3 <3,FRIENDSANITY,Stardew Valley Expanded +6216,Fairhaven Farm,Friendsanity: Andy 4 <3,FRIENDSANITY,Stardew Valley Expanded +6217,Fairhaven Farm,Friendsanity: Andy 5 <3,FRIENDSANITY,Stardew Valley Expanded +6218,Fairhaven Farm,Friendsanity: Andy 6 <3,FRIENDSANITY,Stardew Valley Expanded +6219,Fairhaven Farm,Friendsanity: Andy 7 <3,FRIENDSANITY,Stardew Valley Expanded +6220,Fairhaven Farm,Friendsanity: Andy 8 <3,FRIENDSANITY,Stardew Valley Expanded +6221,Fairhaven Farm,Friendsanity: Andy 9 <3,FRIENDSANITY,Stardew Valley Expanded +6222,Fairhaven Farm,Friendsanity: Andy 10 <3,FRIENDSANITY,Stardew Valley Expanded +6223,Aurora Vineyard,Friendsanity: Apples 1 <3,FRIENDSANITY,Stardew Valley Expanded +6224,Aurora Vineyard,Friendsanity: Apples 2 <3,FRIENDSANITY,Stardew Valley Expanded +6225,Aurora Vineyard,Friendsanity: Apples 3 <3,FRIENDSANITY,Stardew Valley Expanded +6226,Aurora Vineyard,Friendsanity: Apples 4 <3,FRIENDSANITY,Stardew Valley Expanded +6227,Aurora Vineyard,Friendsanity: Apples 5 <3,FRIENDSANITY,Stardew Valley Expanded +6228,Aurora Vineyard,Friendsanity: Apples 6 <3,FRIENDSANITY,Stardew Valley Expanded +6229,Aurora Vineyard,Friendsanity: Apples 7 <3,FRIENDSANITY,Stardew Valley Expanded +6230,Aurora Vineyard,Friendsanity: Apples 8 <3,FRIENDSANITY,Stardew Valley Expanded +6231,Aurora Vineyard,Friendsanity: Apples 9 <3,FRIENDSANITY,Stardew Valley Expanded +6232,Aurora Vineyard,Friendsanity: Apples 10 <3,FRIENDSANITY,Stardew Valley Expanded +6233,Museum,Friendsanity: Gunther 1 <3,FRIENDSANITY,Stardew Valley Expanded +6234,Museum,Friendsanity: Gunther 2 <3,FRIENDSANITY,Stardew Valley Expanded +6235,Museum,Friendsanity: Gunther 3 <3,FRIENDSANITY,Stardew Valley Expanded +6236,Museum,Friendsanity: Gunther 4 <3,FRIENDSANITY,Stardew Valley Expanded +6237,Museum,Friendsanity: Gunther 5 <3,FRIENDSANITY,Stardew Valley Expanded +6238,Museum,Friendsanity: Gunther 6 <3,FRIENDSANITY,Stardew Valley Expanded +6239,Museum,Friendsanity: Gunther 7 <3,FRIENDSANITY,Stardew Valley Expanded +6240,Museum,Friendsanity: Gunther 8 <3,FRIENDSANITY,Stardew Valley Expanded +6241,Museum,Friendsanity: Gunther 9 <3,FRIENDSANITY,Stardew Valley Expanded +6242,Museum,Friendsanity: Gunther 10 <3,FRIENDSANITY,Stardew Valley Expanded +6243,JojaMart,Friendsanity: Martin 1 <3,FRIENDSANITY,Stardew Valley Expanded +6244,JojaMart,Friendsanity: Martin 2 <3,FRIENDSANITY,Stardew Valley Expanded +6245,JojaMart,Friendsanity: Martin 3 <3,FRIENDSANITY,Stardew Valley Expanded +6246,JojaMart,Friendsanity: Martin 4 <3,FRIENDSANITY,Stardew Valley Expanded +6247,JojaMart,Friendsanity: Martin 5 <3,FRIENDSANITY,Stardew Valley Expanded +6248,JojaMart,Friendsanity: Martin 6 <3,FRIENDSANITY,Stardew Valley Expanded +6249,JojaMart,Friendsanity: Martin 7 <3,FRIENDSANITY,Stardew Valley Expanded +6250,JojaMart,Friendsanity: Martin 8 <3,FRIENDSANITY,Stardew Valley Expanded +6251,JojaMart,Friendsanity: Martin 9 <3,FRIENDSANITY,Stardew Valley Expanded +6252,JojaMart,Friendsanity: Martin 10 <3,FRIENDSANITY,Stardew Valley Expanded +6253,Adventurer's Guild,Friendsanity: Marlon 1 <3,FRIENDSANITY,Stardew Valley Expanded +6254,Adventurer's Guild,Friendsanity: Marlon 2 <3,FRIENDSANITY,Stardew Valley Expanded +6255,Adventurer's Guild,Friendsanity: Marlon 3 <3,FRIENDSANITY,Stardew Valley Expanded +6256,Adventurer's Guild,Friendsanity: Marlon 4 <3,FRIENDSANITY,Stardew Valley Expanded +6257,Adventurer's Guild,Friendsanity: Marlon 5 <3,FRIENDSANITY,Stardew Valley Expanded +6258,Adventurer's Guild,Friendsanity: Marlon 6 <3,FRIENDSANITY,Stardew Valley Expanded +6259,Adventurer's Guild,Friendsanity: Marlon 7 <3,FRIENDSANITY,Stardew Valley Expanded +6260,Adventurer's Guild,Friendsanity: Marlon 8 <3,FRIENDSANITY,Stardew Valley Expanded +6261,Adventurer's Guild,Friendsanity: Marlon 9 <3,FRIENDSANITY,Stardew Valley Expanded +6262,Adventurer's Guild,Friendsanity: Marlon 10 <3,FRIENDSANITY,Stardew Valley Expanded +6263,Wizard Tower,Friendsanity: Morgan 1 <3,FRIENDSANITY,Stardew Valley Expanded +6264,Wizard Tower,Friendsanity: Morgan 2 <3,FRIENDSANITY,Stardew Valley Expanded +6265,Wizard Tower,Friendsanity: Morgan 3 <3,FRIENDSANITY,Stardew Valley Expanded +6266,Wizard Tower,Friendsanity: Morgan 4 <3,FRIENDSANITY,Stardew Valley Expanded +6267,Wizard Tower,Friendsanity: Morgan 5 <3,FRIENDSANITY,Stardew Valley Expanded +6268,Wizard Tower,Friendsanity: Morgan 6 <3,FRIENDSANITY,Stardew Valley Expanded +6269,Wizard Tower,Friendsanity: Morgan 7 <3,FRIENDSANITY,Stardew Valley Expanded +6270,Wizard Tower,Friendsanity: Morgan 8 <3,FRIENDSANITY,Stardew Valley Expanded +6271,Wizard Tower,Friendsanity: Morgan 9 <3,FRIENDSANITY,Stardew Valley Expanded +6272,Wizard Tower,Friendsanity: Morgan 10 <3,FRIENDSANITY,Stardew Valley Expanded +6273,Scarlett's House,Friendsanity: Scarlett 1 <3,FRIENDSANITY,Stardew Valley Expanded +6274,Scarlett's House,Friendsanity: Scarlett 2 <3,FRIENDSANITY,Stardew Valley Expanded +6275,Scarlett's House,Friendsanity: Scarlett 3 <3,FRIENDSANITY,Stardew Valley Expanded +6276,Scarlett's House,Friendsanity: Scarlett 4 <3,FRIENDSANITY,Stardew Valley Expanded +6277,Scarlett's House,Friendsanity: Scarlett 5 <3,FRIENDSANITY,Stardew Valley Expanded +6278,Scarlett's House,Friendsanity: Scarlett 6 <3,FRIENDSANITY,Stardew Valley Expanded +6279,Scarlett's House,Friendsanity: Scarlett 7 <3,FRIENDSANITY,Stardew Valley Expanded +6280,Scarlett's House,Friendsanity: Scarlett 8 <3,FRIENDSANITY,Stardew Valley Expanded +6281,Scarlett's House,Friendsanity: Scarlett 9 <3,FRIENDSANITY,Stardew Valley Expanded +6282,Scarlett's House,Friendsanity: Scarlett 10 <3,FRIENDSANITY,Stardew Valley Expanded +6283,Susan's House,Friendsanity: Susan 1 <3,FRIENDSANITY,Stardew Valley Expanded +6284,Susan's House,Friendsanity: Susan 2 <3,FRIENDSANITY,Stardew Valley Expanded +6285,Susan's House,Friendsanity: Susan 3 <3,FRIENDSANITY,Stardew Valley Expanded +6286,Susan's House,Friendsanity: Susan 4 <3,FRIENDSANITY,Stardew Valley Expanded +6287,Susan's House,Friendsanity: Susan 5 <3,FRIENDSANITY,Stardew Valley Expanded +6288,Susan's House,Friendsanity: Susan 6 <3,FRIENDSANITY,Stardew Valley Expanded +6289,Susan's House,Friendsanity: Susan 7 <3,FRIENDSANITY,Stardew Valley Expanded +6290,Susan's House,Friendsanity: Susan 8 <3,FRIENDSANITY,Stardew Valley Expanded +6291,Susan's House,Friendsanity: Susan 9 <3,FRIENDSANITY,Stardew Valley Expanded +6292,Susan's House,Friendsanity: Susan 10 <3,FRIENDSANITY,Stardew Valley Expanded +6293,JojaMart,Friendsanity: Morris 1 <3,FRIENDSANITY,Stardew Valley Expanded +6294,JojaMart,Friendsanity: Morris 2 <3,FRIENDSANITY,Stardew Valley Expanded +6295,JojaMart,Friendsanity: Morris 3 <3,FRIENDSANITY,Stardew Valley Expanded +6296,JojaMart,Friendsanity: Morris 4 <3,FRIENDSANITY,Stardew Valley Expanded +6297,JojaMart,Friendsanity: Morris 5 <3,FRIENDSANITY,Stardew Valley Expanded +6298,JojaMart,Friendsanity: Morris 6 <3,FRIENDSANITY,Stardew Valley Expanded +6299,JojaMart,Friendsanity: Morris 7 <3,FRIENDSANITY,Stardew Valley Expanded +6300,JojaMart,Friendsanity: Morris 8 <3,FRIENDSANITY,Stardew Valley Expanded +6301,JojaMart,Friendsanity: Morris 9 <3,FRIENDSANITY,Stardew Valley Expanded +6302,JojaMart,Friendsanity: Morris 10 <3,FRIENDSANITY,Stardew Valley Expanded +6303,Witch's Swamp,Friendsanity: Zic 1 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6304,Witch's Swamp,Friendsanity: Zic 2 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6305,Witch's Swamp,Friendsanity: Zic 3 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6306,Witch's Swamp,Friendsanity: Zic 4 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6307,Witch's Swamp,Friendsanity: Zic 5 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6308,Witch's Swamp,Friendsanity: Zic 6 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6309,Witch's Swamp,Friendsanity: Zic 7 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6310,Witch's Swamp,Friendsanity: Zic 8 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6311,Witch's Swamp,Friendsanity: Zic 9 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6312,Witch's Swamp,Friendsanity: Zic 10 <3,FRIENDSANITY,Distant Lands - Witch Swamp Overhaul +6313,Witch's Attic,Friendsanity: Alecto 1 <3,FRIENDSANITY,Alecto the Witch +6314,Witch's Attic,Friendsanity: Alecto 2 <3,FRIENDSANITY,Alecto the Witch +6315,Witch's Attic,Friendsanity: Alecto 3 <3,FRIENDSANITY,Alecto the Witch +6316,Witch's Attic,Friendsanity: Alecto 4 <3,FRIENDSANITY,Alecto the Witch +6317,Witch's Attic,Friendsanity: Alecto 5 <3,FRIENDSANITY,Alecto the Witch +6318,Witch's Attic,Friendsanity: Alecto 6 <3,FRIENDSANITY,Alecto the Witch +6319,Witch's Attic,Friendsanity: Alecto 7 <3,FRIENDSANITY,Alecto the Witch +6320,Witch's Attic,Friendsanity: Alecto 8 <3,FRIENDSANITY,Alecto the Witch +6321,Witch's Attic,Friendsanity: Alecto 9 <3,FRIENDSANITY,Alecto the Witch +6322,Witch's Attic,Friendsanity: Alecto 10 <3,FRIENDSANITY,Alecto the Witch +6323,Mouse House,Friendsanity: Lacey 1 <3,FRIENDSANITY,Hat Mouse Lacey +6324,Mouse House,Friendsanity: Lacey 2 <3,FRIENDSANITY,Hat Mouse Lacey +6325,Mouse House,Friendsanity: Lacey 3 <3,FRIENDSANITY,Hat Mouse Lacey +6326,Mouse House,Friendsanity: Lacey 4 <3,FRIENDSANITY,Hat Mouse Lacey +6327,Mouse House,Friendsanity: Lacey 5 <3,FRIENDSANITY,Hat Mouse Lacey +6328,Mouse House,Friendsanity: Lacey 6 <3,FRIENDSANITY,Hat Mouse Lacey +6329,Mouse House,Friendsanity: Lacey 7 <3,FRIENDSANITY,Hat Mouse Lacey +6330,Mouse House,Friendsanity: Lacey 8 <3,FRIENDSANITY,Hat Mouse Lacey +6331,Mouse House,Friendsanity: Lacey 9 <3,FRIENDSANITY,Hat Mouse Lacey +6332,Mouse House,Friendsanity: Lacey 10 <3,FRIENDSANITY,Hat Mouse Lacey +6333,Mouse House,Friendsanity: Lacey 11 <3,FRIENDSANITY,Hat Mouse Lacey +6334,Mouse House,Friendsanity: Lacey 12 <3,FRIENDSANITY,Hat Mouse Lacey +6335,Mouse House,Friendsanity: Lacey 13 <3,FRIENDSANITY,Hat Mouse Lacey +6336,Mouse House,Friendsanity: Lacey 14 <3,FRIENDSANITY,Hat Mouse Lacey +6337,Boarding House - First Floor,Friendsanity: Joel 1 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6338,Boarding House - First Floor,Friendsanity: Joel 2 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6339,Boarding House - First Floor,Friendsanity: Joel 3 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6340,Boarding House - First Floor,Friendsanity: Joel 4 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6341,Boarding House - First Floor,Friendsanity: Joel 5 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6342,Boarding House - First Floor,Friendsanity: Joel 6 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6343,Boarding House - First Floor,Friendsanity: Joel 7 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6344,Boarding House - First Floor,Friendsanity: Joel 8 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6345,Boarding House - First Floor,Friendsanity: Joel 9 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6346,Boarding House - First Floor,Friendsanity: Joel 10 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6347,Boarding House - First Floor,Friendsanity: Sheila 1 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6348,Boarding House - First Floor,Friendsanity: Sheila 2 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6349,Boarding House - First Floor,Friendsanity: Sheila 3 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6350,Boarding House - First Floor,Friendsanity: Sheila 4 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6351,Boarding House - First Floor,Friendsanity: Sheila 5 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6352,Boarding House - First Floor,Friendsanity: Sheila 6 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6353,Boarding House - First Floor,Friendsanity: Sheila 7 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6354,Boarding House - First Floor,Friendsanity: Sheila 8 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6355,Boarding House - First Floor,Friendsanity: Sheila 9 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6356,Boarding House - First Floor,Friendsanity: Sheila 10 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6357,Boarding House - First Floor,Friendsanity: Sheila 11 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6358,Boarding House - First Floor,Friendsanity: Sheila 12 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6359,Boarding House - First Floor,Friendsanity: Sheila 13 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6360,Boarding House - First Floor,Friendsanity: Sheila 14 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6361,The Lost Valley,Friendsanity: Gregory 1 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6362,The Lost Valley,Friendsanity: Gregory 2 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6363,The Lost Valley,Friendsanity: Gregory 3 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6364,The Lost Valley,Friendsanity: Gregory 4 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6365,The Lost Valley,Friendsanity: Gregory 5 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6366,The Lost Valley,Friendsanity: Gregory 6 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6367,The Lost Valley,Friendsanity: Gregory 7 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6368,The Lost Valley,Friendsanity: Gregory 8 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6369,The Lost Valley,Friendsanity: Gregory 9 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6370,The Lost Valley,Friendsanity: Gregory 10 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6371,The Lost Valley,Friendsanity: Gregory 11 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6372,The Lost Valley,Friendsanity: Gregory 12 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6373,The Lost Valley,Friendsanity: Gregory 13 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +6374,The Lost Valley,Friendsanity: Gregory 14 <3,FRIENDSANITY,Boarding House and Bus Stop Extension +7001,Pierre's General Store,Premium Pack,BACKPACK,Bigger Backpack +7002,Carpenter Shop,Tractor Garage Blueprint,BUILDING_BLUEPRINT,Tractor Mod +7003,The Deep Woods Depth 100,Pet the Deep Woods Unicorn,MANDATORY,DeepWoods +7004,The Deep Woods Depth 50,Breaking Up Deep Woods Gingerbread House,MANDATORY,DeepWoods +7005,The Deep Woods Depth 50,Drinking From Deep Woods Fountain,MANDATORY,DeepWoods +7006,The Deep Woods Depth 100,Deep Woods Treasure Chest,MANDATORY,DeepWoods +7007,The Deep Woods Depth 100,Deep Woods Trash Bin,MANDATORY,DeepWoods +7008,The Deep Woods Depth 50,Chop Down a Deep Woods Iridium Tree,MANDATORY,DeepWoods +7009,The Deep Woods Depth 10,The Deep Woods: Depth 10,ELEVATOR,DeepWoods +7010,The Deep Woods Depth 20,The Deep Woods: Depth 20,ELEVATOR,DeepWoods +7011,The Deep Woods Depth 30,The Deep Woods: Depth 30,ELEVATOR,DeepWoods +7012,The Deep Woods Depth 40,The Deep Woods: Depth 40,ELEVATOR,DeepWoods +7013,The Deep Woods Depth 50,The Deep Woods: Depth 50,ELEVATOR,DeepWoods +7014,The Deep Woods Depth 60,The Deep Woods: Depth 60,ELEVATOR,DeepWoods +7015,The Deep Woods Depth 70,The Deep Woods: Depth 70,ELEVATOR,DeepWoods +7016,The Deep Woods Depth 80,The Deep Woods: Depth 80,ELEVATOR,DeepWoods +7017,The Deep Woods Depth 90,The Deep Woods: Depth 90,ELEVATOR,DeepWoods +7018,The Deep Woods Depth 100,The Deep Woods: Depth 100,ELEVATOR,DeepWoods +7019,The Deep Woods Depth 50,Purify an Infested Lichtung,MANDATORY,DeepWoods +7020,Skull Cavern Floor 25,Skull Cavern: Floor 25,ELEVATOR,Skull Cavern Elevator +7021,Skull Cavern Floor 50,Skull Cavern: Floor 50,ELEVATOR,Skull Cavern Elevator +7022,Skull Cavern Floor 75,Skull Cavern: Floor 75,ELEVATOR,Skull Cavern Elevator +7023,Skull Cavern Floor 100,Skull Cavern: Floor 100,ELEVATOR,Skull Cavern Elevator +7024,Skull Cavern Floor 125,Skull Cavern: Floor 125,ELEVATOR,Skull Cavern Elevator +7025,Skull Cavern Floor 150,Skull Cavern: Floor 150,ELEVATOR,Skull Cavern Elevator +7026,Skull Cavern Floor 175,Skull Cavern: Floor 175,ELEVATOR,Skull Cavern Elevator +7027,Skull Cavern Floor 200,Skull Cavern: Floor 200,ELEVATOR,Skull Cavern Elevator +7028,The Deep Woods Depth 100,The Sword in the Stone,MANDATORY,DeepWoods +7051,Abandoned Mines - 1A,Abandoned Treasure - Floor 1A,MANDATORY,Boarding House and Bus Stop Extension +7052,Abandoned Mines - 1B,Abandoned Treasure - Floor 1B,MANDATORY,Boarding House and Bus Stop Extension +7053,Abandoned Mines - 2A,Abandoned Treasure - Floor 2A,MANDATORY,Boarding House and Bus Stop Extension +7054,Abandoned Mines - 2B,Abandoned Treasure - Floor 2B,MANDATORY,Boarding House and Bus Stop Extension +7055,Abandoned Mines - 3,Abandoned Treasure - Floor 3,MANDATORY,Boarding House and Bus Stop Extension +7056,Abandoned Mines - 4,Abandoned Treasure - Floor 4,MANDATORY,Boarding House and Bus Stop Extension +7057,Abandoned Mines - 5,Abandoned Treasure - Floor 5,MANDATORY,Boarding House and Bus Stop Extension +7401,Farm,Cook Magic Elixir,COOKSANITY,Magic +7402,Farm,Craft Travel Core,CRAFTSANITY,Magic +7403,Farm,Craft Haste Elixir,CRAFTSANITY,Stardew Valley Expanded +7404,Farm,Craft Hero Elixir,CRAFTSANITY,Stardew Valley Expanded +7405,Farm,Craft Armor Elixir,CRAFTSANITY,Stardew Valley Expanded +7406,Witch's Swamp,Craft Ginger Tincture,"CRAFTSANITY,GINGER_ISLAND",Distant Lands - Witch Swamp Overhaul +7407,Farm,Craft Glass Path,CRAFTSANITY,Archaeology +7408,Farm,Craft Glass Bazier,CRAFTSANITY,Archaeology +7409,Farm,Craft Glass Fence,CRAFTSANITY,Archaeology +7410,Farm,Craft Bone Path,CRAFTSANITY,Archaeology +7411,Farm,Craft Water Shifter,CRAFTSANITY,Archaeology +7412,Farm,Craft Wooden Display,CRAFTSANITY,Archaeology +7413,Farm,Craft Hardwood Display,CRAFTSANITY,Archaeology +7414,Farm,Craft Dwarf Gadget: Infinite Volcano Simulation,"CRAFTSANITY,GINGER_ISLAND",Archaeology +7415,Farm,Craft Grinder,CRAFTSANITY,Archaeology +7416,Farm,Craft Preservation Chamber,CRAFTSANITY,Archaeology +7417,Farm,Craft Hardwood Preservation Chamber,CRAFTSANITY,Archaeology +7418,Farm,Craft Ancient Battery Production Station,CRAFTSANITY,Archaeology +7419,Farm,Craft Neanderthal Skeleton,CRAFTSANITY,Boarding House and Bus Stop Extension +7420,Farm,Craft Pterodactyl Skeleton L,CRAFTSANITY,Boarding House and Bus Stop Extension +7421,Farm,Craft Pterodactyl Skeleton M,CRAFTSANITY,Boarding House and Bus Stop Extension +7422,Farm,Craft Pterodactyl Skeleton R,CRAFTSANITY,Boarding House and Bus Stop Extension +7423,Farm,Craft T-Rex Skeleton L,CRAFTSANITY,Boarding House and Bus Stop Extension +7424,Farm,Craft T-Rex Skeleton M,CRAFTSANITY,Boarding House and Bus Stop Extension +7425,Farm,Craft T-Rex Skeleton R,CRAFTSANITY,Boarding House and Bus Stop Extension +7451,Adventurer's Guild,Magic Elixir Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE",Magic +7452,Adventurer's Guild,Travel Core Recipe,CRAFTSANITY,Magic +7453,Alesia Shop,Haste Elixir Recipe,CRAFTSANITY,Stardew Valley Expanded +7454,Isaac Shop,Hero Elixir Recipe,CRAFTSANITY,Stardew Valley Expanded +7455,Alesia Shop,Armor Elixir Recipe,CRAFTSANITY,Stardew Valley Expanded +7501,Mountain,Missing Envelope,"STORY_QUEST",Ayeisha - The Postal Worker (Custom NPC) +7502,Forest,Lost Emerald Ring,"STORY_QUEST",Ayeisha - The Postal Worker (Custom NPC) +7503,Forest,Mr.Ginger's request,"STORY_QUEST",Mister Ginger (cat npc) +7504,Forest,Juna's Drink Request,"STORY_QUEST",Juna - Roommate NPC +7505,Forest,Juna's BFF Request,"STORY_QUEST",Juna - Roommate NPC +7506,Forest,Juna's Monster Mash,SPECIAL_ORDER_BOARD,Juna - Roommate NPC +7507,Adventurer's Guild,Marlon's Boat,"STORY_QUEST,GINGER_ISLAND",Stardew Valley Expanded +7508,Railroad,The Railroad Boulder,"STORY_QUEST",Stardew Valley Expanded +7509,Grandpa's Shed Interior,Grandpa's Shed,"STORY_QUEST",Stardew Valley Expanded +7510,Aurora Vineyard,Aurora Vineyard,"STORY_QUEST",Stardew Valley Expanded +7511,Lance's House Main,Monster Crops,"STORY_QUEST,GINGER_ISLAND",Stardew Valley Expanded +7512,Sewer,Void Soul Retrieval,"STORY_QUEST,GINGER_ISLAND",Stardew Valley Expanded +7513,Fairhaven Farm,Andy's Cellar,SPECIAL_ORDER_BOARD,Stardew Valley Expanded +7514,Adventurer's Guild,A Mysterious Venture,SPECIAL_ORDER_BOARD,Stardew Valley Expanded +7515,Jenkins' Residence,An Elegant Reception,SPECIAL_ORDER_BOARD,Stardew Valley Expanded +7516,Sophia's House,Fairy Garden,"SPECIAL_ORDER_BOARD,GINGER_ISLAND",Stardew Valley Expanded +7517,Susan's House,Homemade Fertilizer,SPECIAL_ORDER_BOARD,Stardew Valley Expanded +7519,Witch's Swamp,Corrupted Crops Task,GINGER_ISLAND,Distant Lands - Witch Swamp Overhaul +7520,Witch's Swamp,A New Pot,STORY_QUEST,Distant Lands - Witch Swamp Overhaul +7521,Witch's Swamp,Fancy Blanket Task,STORY_QUEST,Distant Lands - Witch Swamp Overhaul +7522,Witch's Swamp,Witch's order,GINGER_ISLAND,Distant Lands - Witch Swamp Overhaul +7523,Boarding House - First Floor,Pumpkin Soup,STORY_QUEST,Boarding House and Bus Stop Extension +7524,Museum,Geode Order,SPECIAL_ORDER_BOARD,Professor Jasper Thomas +7525,Museum,Dwarven Scrolls,SPECIAL_ORDER_BOARD,Professor Jasper Thomas +7526,Mouse House,Hats for the Hat Mouse,STORY_QUEST,Hat Mouse Lacey +7551,Kitchen,Cook Baked Berry Oatmeal,COOKSANITY,Stardew Valley Expanded +7552,Kitchen,Cook Flower Cookie,COOKSANITY,Stardew Valley Expanded +7553,Kitchen,Cook Big Bark Burger,COOKSANITY,Stardew Valley Expanded +7554,Kitchen,Cook Frog Legs,COOKSANITY,Stardew Valley Expanded +7555,Kitchen,Cook Glazed Butterfish,COOKSANITY,Stardew Valley Expanded +7556,Kitchen,Cook Mixed Berry Pie,COOKSANITY,Stardew Valley Expanded +7557,Kitchen,Cook Mushroom Berry Rice,COOKSANITY,Stardew Valley Expanded +7558,Kitchen,Cook Seaweed Salad,COOKSANITY,Stardew Valley Expanded +7559,Kitchen,Cook Void Delight,COOKSANITY,Stardew Valley Expanded +7560,Kitchen,Cook Void Salmon Sushi,COOKSANITY,Stardew Valley Expanded +7561,Kitchen,Cook Mushroom Kebab,COOKSANITY,Distant Lands - Witch Swamp Overhaul +7562,Kitchen,Cook Crayfish Soup,COOKSANITY,Distant Lands - Witch Swamp Overhaul +7563,Kitchen,Cook Pemmican,COOKSANITY,Distant Lands - Witch Swamp Overhaul +7564,Kitchen,Cook Void Mint Tea,COOKSANITY,Distant Lands - Witch Swamp Overhaul +7565,Kitchen,Cook Special Pumpkin Soup,COOKSANITY,Boarding House and Bus Stop Extension +7601,Bear Shop,Baked Berry Oatmeal Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +7602,Bear Shop,Flower Cookie Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +7603,Saloon,Big Bark Burger Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Stardew Valley Expanded +7604,Adventurer's Guild,Frog Legs Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +7605,Saloon,Glazed Butterfish Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Stardew Valley Expanded +7606,Saloon,Mixed Berry Pie Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +7607,Adventurer's Guild,Mushroom Berry Rice Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Stardew Valley Expanded +7608,Adventurer's Guild,Seaweed Salad Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +7609,Sewer,Void Delight Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Stardew Valley Expanded +7610,Sewer,Void Salmon Sushi Recipe,"CHEFSANITY,CHEFSANITY_PURCHASE",Stardew Valley Expanded +7611,Witch's Swamp,Mushroom Kebab Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Distant Lands - Witch Swamp Overhaul +7613,Witch's Swamp,Pemmican Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Distant Lands - Witch Swamp Overhaul +7614,Witch's Swamp,Void Mint Tea Recipe,"CHEFSANITY,CHEFSANITY_FRIENDSHIP",Distant Lands - Witch Swamp Overhaul +7616,Mines Dwarf Shop,Neanderthal Skeleton Recipe,CRAFTSANITY,Boarding House and Bus Stop Extension +7617,Mines Dwarf Shop,Pterodactyl Skeleton L Recipe,CRAFTSANITY,Boarding House and Bus Stop Extension +7618,Mines Dwarf Shop,Pterodactyl Skeleton M Recipe,CRAFTSANITY,Boarding House and Bus Stop Extension +7619,Mines Dwarf Shop,Pterodactyl Skeleton R Recipe,CRAFTSANITY,Boarding House and Bus Stop Extension +7620,Mines Dwarf Shop,T-Rex Skeleton L Recipe,CRAFTSANITY,Boarding House and Bus Stop Extension +7621,Mines Dwarf Shop,T-Rex Skeleton M Recipe,CRAFTSANITY,Boarding House and Bus Stop Extension +7622,Mines Dwarf Shop,T-Rex Skeleton R Recipe,CRAFTSANITY,Boarding House and Bus Stop Extension +7651,Alesia Shop,Tempered Galaxy Dagger,MANDATORY,Stardew Valley Expanded +7652,Isaac Shop,Tempered Galaxy Sword,MANDATORY,Stardew Valley Expanded +7653,Isaac Shop,Tempered Galaxy Hammer,MANDATORY,Stardew Valley Expanded +7701,Island South,Fishsanity: Baby Lunaloo,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7702,Crimson Badlands,Fishsanity: Bonefish,FISHSANITY,Stardew Valley Expanded +7703,Forest,Fishsanity: Bull Trout,FISHSANITY,Stardew Valley Expanded +7704,Forest West,Fishsanity: Butterfish,FISHSANITY,Stardew Valley Expanded +7705,Island South,Fishsanity: Clownfish,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7706,Highlands Outside,Fishsanity: Daggerfish,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7707,Mountain,Fishsanity: Frog,FISHSANITY,Stardew Valley Expanded +7708,Highlands Outside,Fishsanity: Gemfish,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7709,Sprite Spring,Fishsanity: Goldenfish,FISHSANITY,Stardew Valley Expanded +7710,Secret Woods,Fishsanity: Grass Carp,FISHSANITY,Stardew Valley Expanded +7711,Forest West,Fishsanity: King Salmon,FISHSANITY,Stardew Valley Expanded +7712,Island West,Fishsanity: Lunaloo,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7713,Sprite Spring,Fishsanity: Meteor Carp,FISHSANITY,Stardew Valley Expanded +7714,Town,Fishsanity: Minnow,FISHSANITY,Stardew Valley Expanded +7715,Forest West,Fishsanity: Puppyfish,FISHSANITY,Stardew Valley Expanded +7716,Sewer,Fishsanity: Radioactive Bass,FISHSANITY,Stardew Valley Expanded +7717,Island West,Fishsanity: Seahorse,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7718,Island West,Fishsanity: Sea Sponge,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7719,Island South,Fishsanity: Shiny Lunaloo,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7720,Mutant Bug Lair,Fishsanity: Snatcher Worm,FISHSANITY,Stardew Valley Expanded +7721,Beach,Fishsanity: Starfish,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7722,Fable Reef,Fishsanity: Torpedo Trout,"FISHSANITY,GINGER_ISLAND",Stardew Valley Expanded +7723,Witch's Swamp,Fishsanity: Void Eel,FISHSANITY,Stardew Valley Expanded +7724,Mutant Bug Lair,Fishsanity: Water Grub,FISHSANITY,Stardew Valley Expanded +7725,Crimson Badlands,Fishsanity: Undeadfish,FISHSANITY,Stardew Valley Expanded +7726,Shearwater Bridge,Fishsanity: Kittyfish,FISHSANITY,Stardew Valley Expanded +7727,Blue Moon Vineyard,Fishsanity: Dulse Seaweed,FISHSANITY,Stardew Valley Expanded +7728,Witch's Swamp,Fishsanity: Void Minnow,FISHSANITY,Distant Lands - Witch Swamp Overhaul +7729,Witch's Swamp,Fishsanity: Swamp Leech,FISHSANITY,Distant Lands - Witch Swamp Overhaul +7730,Witch's Swamp,Fishsanity: Giant Horsehoe Crab,FISHSANITY,Distant Lands - Witch Swamp Overhaul +7731,Witch's Swamp,Fishsanity: Purple Algae,FISHSANITY,Distant Lands - Witch Swamp Overhaul +7901,Farm,Harvest Monster Fruit,"CROPSANITY,GINGER_ISLAND",Stardew Valley Expanded +7902,Farm,Harvest Salal Berry,CROPSANITY,Stardew Valley Expanded +7903,Farm,Harvest Slime Berry,"CROPSANITY,GINGER_ISLAND",Stardew Valley Expanded +7904,Farm,Harvest Ancient Fiber,CROPSANITY,Stardew Valley Expanded +7905,Farm,Harvest Monster Mushroom,"CROPSANITY,GINGER_ISLAND",Stardew Valley Expanded +7906,Farm,Harvest Void Root,"CROPSANITY,GINGER_ISLAND",Stardew Valley Expanded +7907,Farm,Harvest Void Mint Leaves,CROPSANITY,Distant Lands - Witch Swamp Overhaul +7908,Farm,Harvest Vile Ancient Fruit,CROPSANITY,Distant Lands - Witch Swamp Overhaul +8001,Shipping,Shipsanity: Magic Elixir,SHIPSANITY,Magic +8002,Shipping,Shipsanity: Travel Core,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Magic +8003,Shipping,Shipsanity: Aegis Elixir,SHIPSANITY,Stardew Valley Expanded +8004,Shipping,Shipsanity: Aged Blue Moon Wine,SHIPSANITY,Stardew Valley Expanded +8005,Shipping,Shipsanity: Ancient Ferns Seed,SHIPSANITY,Stardew Valley Expanded +8006,Shipping,Shipsanity: Ancient Fiber,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8007,Shipping,Shipsanity: Armor Elixir,SHIPSANITY,Stardew Valley Expanded +8008,Shipping,Shipsanity: Baby Lunaloo,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8009,Shipping,Shipsanity: Baked Berry Oatmeal,SHIPSANITY,Stardew Valley Expanded +8010,Shipping,Shipsanity: Barbarian Elixir,SHIPSANITY,Stardew Valley Expanded +8011,Shipping,Shipsanity: Bearberrys,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8012,Shipping,Shipsanity: Big Bark Burger,SHIPSANITY,Stardew Valley Expanded +8013,Shipping,Shipsanity: Big Conch,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8014,Shipping,Shipsanity: Blue Moon Wine,SHIPSANITY,Stardew Valley Expanded +8015,Shipping,Shipsanity: Bonefish,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8016,Shipping,Shipsanity: Bull Trout,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8017,Shipping,Shipsanity: Butterfish,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8018,Shipping,Shipsanity: Clownfish,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8019,Shipping,Shipsanity: Daggerfish,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8020,Shipping,Shipsanity: Dewdrop Berry,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8021,Shipping,Shipsanity: Dried Sand Dollar,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8022,Shipping,Shipsanity: Dulse Seaweed,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8023,Shipping,Shipsanity: Ferngill Primrose,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8024,Shipping,Shipsanity: Flower Cookie,SHIPSANITY,Stardew Valley Expanded +8025,Shipping,Shipsanity: Frog,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8026,Shipping,Shipsanity: Frog Legs,SHIPSANITY,Stardew Valley Expanded +8027,Shipping,Shipsanity: Fungus Seed,"SHIPSANITY,GINGER_ISLAND",Stardew Valley Expanded +8029,Shipping,Shipsanity: Gemfish,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8030,Shipping,Shipsanity: Glazed Butterfish,"SHIPSANITY",Stardew Valley Expanded +8031,Shipping,Shipsanity: Golden Ocean Flower,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT,GINGER_ISLAND",Stardew Valley Expanded +8032,Shipping,Shipsanity: Goldenfish,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8033,Shipping,Shipsanity: Goldenrod,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8034,Shipping,Shipsanity: Grampleton Orange Chicken,SHIPSANITY,Stardew Valley Expanded +8035,Shipping,Shipsanity: Grass Carp,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8036,Shipping,Shipsanity: Gravity Elixir,SHIPSANITY,Stardew Valley Expanded +8037,Shipping,Shipsanity: Green Mushroom,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT,GINGER_ISLAND",Stardew Valley Expanded +8038,Shipping,Shipsanity: Haste Elixir,SHIPSANITY,Stardew Valley Expanded +8039,Shipping,Shipsanity: Hero Elixir,SHIPSANITY,Stardew Valley Expanded +8040,Shipping,Shipsanity: King Salmon,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8050,Shipping,Shipsanity: Kittyfish,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8051,Shipping,Shipsanity: Lightning Elixir,SHIPSANITY,Stardew Valley Expanded +8052,Shipping,Shipsanity: Lucky Four Leaf Clover,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8053,Shipping,Shipsanity: Lunaloo,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8054,Shipping,Shipsanity: Meteor Carp,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8055,Shipping,Shipsanity: Minnow,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8056,Shipping,Shipsanity: Mixed Berry Pie,SHIPSANITY,Stardew Valley Expanded +8057,Shipping,Shipsanity: Monster Fruit,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT,GINGER_ISLAND",Stardew Valley Expanded +8058,Shipping,Shipsanity: Monster Mushroom,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT,GINGER_ISLAND",Stardew Valley Expanded +8059,Shipping,Shipsanity: Mushroom Berry Rice,SHIPSANITY,Stardew Valley Expanded +8060,Shipping,Shipsanity: Mushroom Colony,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8061,Shipping,Shipsanity: Ornate Treasure Chest,"SHIPSANITY,GINGER_ISLAND",Stardew Valley Expanded +8062,Shipping,Shipsanity: Poison Mushroom,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8063,Shipping,Shipsanity: Puppyfish,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8064,Shipping,Shipsanity: Radioactive Bass,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8065,Shipping,Shipsanity: Red Baneberry,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8066,Shipping,Shipsanity: Rusty Blade,SHIPSANITY,Stardew Valley Expanded +8067,Shipping,Shipsanity: Salal Berry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT,GINGER_ISLAND",Stardew Valley Expanded +8068,Shipping,Shipsanity: Sea Sponge,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8069,Shipping,Shipsanity: Seahorse,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8070,Shipping,Shipsanity: Seaweed Salad,SHIPSANITY,Stardew Valley Expanded +8071,Shipping,Shipsanity: Shiny Lunaloo,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8072,Shipping,Shipsanity: Shrub Seed,"SHIPSANITY,GINGER_ISLAND",Stardew Valley Expanded +8073,Shipping,Shipsanity: Slime Berry,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT,GINGER_ISLAND",Stardew Valley Expanded +8074,Shipping,Shipsanity: Slime Seed,"SHIPSANITY,GINGER_ISLAND",Stardew Valley Expanded +8075,Shipping,Shipsanity: Smelly Rafflesia,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8076,Shipping,Shipsanity: Sports Drink,SHIPSANITY,Stardew Valley Expanded +8077,Shipping,Shipsanity: Stalk Seed,"SHIPSANITY,GINGER_ISLAND",Stardew Valley Expanded +8078,Shipping,Shipsanity: Stamina Capsule,SHIPSANITY,Stardew Valley Expanded +8079,Shipping,Shipsanity: Starfish,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8080,Shipping,Shipsanity: Swirl Stone,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8081,Shipping,Shipsanity: Thistle,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8082,Shipping,Shipsanity: Torpedo Trout,"SHIPSANITY,SHIPSANITY_FISH,GINGER_ISLAND",Stardew Valley Expanded +8083,Shipping,Shipsanity: Undeadfish,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8084,Shipping,Shipsanity: Void Delight,SHIPSANITY,Stardew Valley Expanded +8085,Shipping,Shipsanity: Void Eel,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8086,Shipping,Shipsanity: Void Pebble,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8087,Shipping,Shipsanity: Void Root,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT,GINGER_ISLAND",Stardew Valley Expanded +8088,Shipping,Shipsanity: Void Salmon Sushi,SHIPSANITY,Stardew Valley Expanded +8089,Shipping,Shipsanity: Void Seed,"SHIPSANITY,GINGER_ISLAND",Stardew Valley Expanded +8090,Shipping,Shipsanity: Void Shard,SHIPSANITY,Stardew Valley Expanded +8091,Shipping,Shipsanity: Void Soul,SHIPSANITY,Stardew Valley Expanded +8092,Shipping,Shipsanity: Water Grub,"SHIPSANITY,SHIPSANITY_FISH",Stardew Valley Expanded +8093,Shipping,Shipsanity: Winter Star Rose,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Stardew Valley Expanded +8094,Shipping,Shipsanity: Wooden Display: Amphibian Fossil,SHIPSANITY,Archaeology +8095,Shipping,Shipsanity: Hardwood Display: Amphibian Fossil,SHIPSANITY,Archaeology +8096,Shipping,Shipsanity: Wooden Display: Anchor,SHIPSANITY,Archaeology +8097,Shipping,Shipsanity: Hardwood Display: Anchor,SHIPSANITY,Archaeology +8098,Shipping,Shipsanity: Wooden Display: Ancient Doll,SHIPSANITY,Archaeology +8099,Shipping,Shipsanity: Hardwood Display: Ancient Doll,SHIPSANITY,Archaeology +8100,Shipping,Shipsanity: Wooden Display: Ancient Drum,SHIPSANITY,Archaeology +8101,Shipping,Shipsanity: Hardwood Display: Ancient Drum,SHIPSANITY,Archaeology +8102,Shipping,Shipsanity: Wooden Display: Ancient Seed,SHIPSANITY,Archaeology +8103,Shipping,Shipsanity: Hardwood Display: Ancient Seed,SHIPSANITY,Archaeology +8104,Shipping,Shipsanity: Wooden Display: Ancient Sword,SHIPSANITY,Archaeology +8105,Shipping,Shipsanity: Hardwood Display: Ancient Sword,SHIPSANITY,Archaeology +8106,Shipping,Shipsanity: Wooden Display: Arrowhead,SHIPSANITY,Archaeology +8107,Shipping,Shipsanity: Hardwood Display: Arrowhead,SHIPSANITY,Archaeology +8108,Shipping,Shipsanity: Wooden Display: Bone Flute,SHIPSANITY,Archaeology +8109,Shipping,Shipsanity: Hardwood Display: Bone Flute,SHIPSANITY,Archaeology +8110,Shipping,Shipsanity: Wooden Display: Chewing Stick,SHIPSANITY,Archaeology +8111,Shipping,Shipsanity: Hardwood Display: Chewing Stick,SHIPSANITY,Archaeology +8112,Shipping,Shipsanity: Wooden Display: Chicken Statue,SHIPSANITY,Archaeology +8113,Shipping,Shipsanity: Hardwood Display: Chicken Statue,SHIPSANITY,Archaeology +8114,Shipping,Shipsanity: Wooden Display: Chipped Amphora,SHIPSANITY,Archaeology +8115,Shipping,Shipsanity: Hardwood Display: Chipped Amphora,SHIPSANITY,Archaeology +8116,Shipping,Shipsanity: Wooden Display: Dinosaur Egg,SHIPSANITY,Archaeology +8117,Shipping,Shipsanity: Hardwood Display: Dinosaur Egg,SHIPSANITY,Archaeology +8118,Shipping,Shipsanity: Wooden Display: Dried Starfish,SHIPSANITY,Archaeology +8119,Shipping,Shipsanity: Hardwood Display: Dried Starfish,SHIPSANITY,Archaeology +8120,Shipping,Shipsanity: Wooden Display: Dwarf Gadget,SHIPSANITY,Archaeology +8121,Shipping,Shipsanity: Hardwood Display: Dwarf Gadget,SHIPSANITY,Archaeology +8122,Shipping,Shipsanity: Wooden Display: Dwarf Scroll I,SHIPSANITY,Archaeology +8123,Shipping,Shipsanity: Hardwood Display: Dwarf Scroll I,SHIPSANITY,Archaeology +8124,Shipping,Shipsanity: Wooden Display: Dwarf Scroll II,SHIPSANITY,Archaeology +8125,Shipping,Shipsanity: Hardwood Display: Dwarf Scroll II,SHIPSANITY,Archaeology +8126,Shipping,Shipsanity: Wooden Display: Dwarf Scroll III,SHIPSANITY,Archaeology +8127,Shipping,Shipsanity: Hardwood Display: Dwarf Scroll III,SHIPSANITY,Archaeology +8128,Shipping,Shipsanity: Wooden Display: Dwarf Scroll IV,SHIPSANITY,Archaeology +8129,Shipping,Shipsanity: Hardwood Display: Dwarf Scroll IV,SHIPSANITY,Archaeology +8130,Shipping,Shipsanity: Wooden Display: Dwarvish Helm,SHIPSANITY,Archaeology +8131,Shipping,Shipsanity: Hardwood Display: Dwarvish Helm,SHIPSANITY,Archaeology +8132,Shipping,Shipsanity: Wooden Display: Elvish Jewelry,SHIPSANITY,Archaeology +8133,Shipping,Shipsanity: Hardwood Display: Elvish Jewelry,SHIPSANITY,Archaeology +8134,Shipping,Shipsanity: Wooden Display: Fossilized Leg,"SHIPSANITY,GINGER_ISLAND",Archaeology +8135,Shipping,Shipsanity: Hardwood Display: Fossilized Leg,"SHIPSANITY,GINGER_ISLAND",Archaeology +8136,Shipping,Shipsanity: Wooden Display: Fossilized Ribs,"SHIPSANITY,GINGER_ISLAND",Archaeology +8137,Shipping,Shipsanity: Hardwood Display: Fossilized Ribs,"SHIPSANITY,GINGER_ISLAND",Archaeology +8138,Shipping,Shipsanity: Wooden Display: Fossilized Skull,"SHIPSANITY,GINGER_ISLAND",Archaeology +8139,Shipping,Shipsanity: Hardwood Display: Fossilized Skull,"SHIPSANITY,GINGER_ISLAND",Archaeology +8140,Shipping,Shipsanity: Wooden Display: Fossilized Spine,"SHIPSANITY,GINGER_ISLAND",Archaeology +8141,Shipping,Shipsanity: Hardwood Display: Fossilized Spine,"SHIPSANITY,GINGER_ISLAND",Archaeology +8142,Shipping,Shipsanity: Wooden Display: Fossilized Tail,"SHIPSANITY,GINGER_ISLAND",Archaeology +8143,Shipping,Shipsanity: Hardwood Display: Fossilized Tail,"SHIPSANITY,GINGER_ISLAND",Archaeology +8144,Shipping,Shipsanity: Wooden Display: Glass Shards,SHIPSANITY,Archaeology +8145,Shipping,Shipsanity: Hardwood Display: Glass Shards,SHIPSANITY,Archaeology +8146,Shipping,Shipsanity: Wooden Display: Golden Mask,SHIPSANITY,Archaeology +8147,Shipping,Shipsanity: Hardwood Display: Golden Mask,SHIPSANITY,Archaeology +8148,Shipping,Shipsanity: Wooden Display: Golden Relic,SHIPSANITY,Archaeology +8149,Shipping,Shipsanity: Hardwood Display: Golden Relic,SHIPSANITY,Archaeology +8150,Shipping,Shipsanity: Wooden Display: Mummified Bat,"SHIPSANITY,GINGER_ISLAND",Archaeology +8151,Shipping,Shipsanity: Hardwood Display: Mummified Bat,"SHIPSANITY,GINGER_ISLAND",Archaeology +8152,Shipping,Shipsanity: Wooden Display: Mummified Frog,"SHIPSANITY,GINGER_ISLAND",Archaeology +8153,Shipping,Shipsanity: Hardwood Display: Mummified Frog,"SHIPSANITY,GINGER_ISLAND",Archaeology +8154,Shipping,Shipsanity: Wooden Display: Nautilus Fossil,SHIPSANITY,Archaeology +8155,Shipping,Shipsanity: Hardwood Display: Nautilus Fossil,SHIPSANITY,Archaeology +8156,Shipping,Shipsanity: Wooden Display: Ornamental Fan,SHIPSANITY,Archaeology +8157,Shipping,Shipsanity: Hardwood Display: Ornamental Fan,SHIPSANITY,Archaeology +8158,Shipping,Shipsanity: Wooden Display: Palm Fossil,SHIPSANITY,Archaeology +8159,Shipping,Shipsanity: Hardwood Display: Palm Fossil,SHIPSANITY,Archaeology +8160,Shipping,Shipsanity: Wooden Display: Prehistoric Handaxe,SHIPSANITY,Archaeology +8161,Shipping,Shipsanity: Hardwood Display: Prehistoric Handaxe,SHIPSANITY,Archaeology +8162,Shipping,Shipsanity: Wooden Display: Prehistoric Rib,SHIPSANITY,Archaeology +8163,Shipping,Shipsanity: Hardwood Display: Prehistoric Rib,SHIPSANITY,Archaeology +8164,Shipping,Shipsanity: Wooden Display: Prehistoric Scapula,SHIPSANITY,Archaeology +8165,Shipping,Shipsanity: Hardwood Display: Prehistoric Scapula,SHIPSANITY,Archaeology +8166,Shipping,Shipsanity: Wooden Display: Prehistoric Skull,SHIPSANITY,Archaeology +8167,Shipping,Shipsanity: Hardwood Display: Prehistoric Skull,SHIPSANITY,Archaeology +8168,Shipping,Shipsanity: Wooden Display: Prehistoric Tibia,SHIPSANITY,Archaeology +8169,Shipping,Shipsanity: Hardwood Display: Prehistoric Tibia,SHIPSANITY,Archaeology +8170,Shipping,Shipsanity: Wooden Display: Prehistoric Tool,SHIPSANITY,Archaeology +8171,Shipping,Shipsanity: Hardwood Display: Prehistoric Tool,SHIPSANITY,Archaeology +8172,Shipping,Shipsanity: Wooden Display: Prehistoric Vertebra,SHIPSANITY,Archaeology +8173,Shipping,Shipsanity: Hardwood Display: Prehistoric Vertebra,SHIPSANITY,Archaeology +8174,Shipping,Shipsanity: Wooden Display: Rare Disc,SHIPSANITY,Archaeology +8175,Shipping,Shipsanity: Hardwood Display: Rare Disc,SHIPSANITY,Archaeology +8176,Shipping,Shipsanity: Wooden Display: Rusty Cog,SHIPSANITY,Archaeology +8177,Shipping,Shipsanity: Hardwood Display: Rusty Cog,SHIPSANITY,Archaeology +8178,Shipping,Shipsanity: Wooden Display: Rusty Spoon,SHIPSANITY,Archaeology +8179,Shipping,Shipsanity: Hardwood Display: Rusty Spoon,SHIPSANITY,Archaeology +8180,Shipping,Shipsanity: Wooden Display: Rusty Spur,SHIPSANITY,Archaeology +8181,Shipping,Shipsanity: Hardwood Display: Rusty Spur,SHIPSANITY,Archaeology +8182,Shipping,Shipsanity: Wooden Display: Skeletal Hand,SHIPSANITY,Archaeology +8183,Shipping,Shipsanity: Hardwood Display: Skeletal Hand,SHIPSANITY,Archaeology +8184,Shipping,Shipsanity: Wooden Display: Skeletal Tail,SHIPSANITY,Archaeology +8185,Shipping,Shipsanity: Hardwood Display: Skeletal Tail,SHIPSANITY,Archaeology +8186,Shipping,Shipsanity: Wooden Display: Snake Skull,"SHIPSANITY,GINGER_ISLAND",Archaeology +8187,Shipping,Shipsanity: Hardwood Display: Snake Skull,"SHIPSANITY,GINGER_ISLAND",Archaeology +8188,Shipping,Shipsanity: Wooden Display: Snake Vertebrae,"SHIPSANITY,GINGER_ISLAND",Archaeology +8189,Shipping,Shipsanity: Hardwood Display: Snake Vertebrae,"SHIPSANITY,GINGER_ISLAND",Archaeology +8190,Shipping,Shipsanity: Wooden Display: Strange Doll (Green),SHIPSANITY,Archaeology +8191,Shipping,Shipsanity: Hardwood Display: Strange Doll (Green),SHIPSANITY,Archaeology +8192,Shipping,Shipsanity: Wooden Display: Strange Doll,SHIPSANITY,Archaeology +8193,Shipping,Shipsanity: Hardwood Display: Strange Doll,SHIPSANITY,Archaeology +8194,Shipping,Shipsanity: Wooden Display: Trilobite Fossil,SHIPSANITY,Archaeology +8195,Shipping,Shipsanity: Hardwood Display: Trilobite Fossil,SHIPSANITY,Archaeology +8196,Shipping,Shipsanity: Bone Path,SHIPSANITY,Archaeology +8197,Shipping,Shipsanity: Glass Fence,SHIPSANITY,Archaeology +8198,Shipping,Shipsanity: Glass Path,SHIPSANITY,Archaeology +8199,Shipping,Shipsanity: Hardwood Display,SHIPSANITY,Archaeology +8200,Shipping,Shipsanity: Wooden Display,SHIPSANITY,Archaeology +8201,Shipping,Shipsanity: Dwarf Gadget: Infinite Volcano Simulation,"SHIPSANITY,GINGER_ISLAND",Archaeology +8202,Shipping,Shipsanity: Water Shifter,SHIPSANITY,Archaeology +8203,Shipping,Shipsanity: Brown Amanita,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Distant Lands - Witch Swamp Overhaul +8204,Shipping,Shipsanity: Swamp Herb,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Distant Lands - Witch Swamp Overhaul +8205,Shipping,Shipsanity: Void Mint Seeds,SHIPSANITY,Distant Lands - Witch Swamp Overhaul +8206,Shipping,Shipsanity: Vile Ancient Fruit Seeds,SHIPSANITY,Distant Lands - Witch Swamp Overhaul +8207,Shipping,Shipsanity: Void Mint Leaves,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT",Distant Lands - Witch Swamp Overhaul +8208,Shipping,Shipsanity: Vile Ancient Fruit,"SHIPSANITY,SHIPSANITY_CROP,SHIPSANITY_FULL_SHIPMENT",Distant Lands - Witch Swamp Overhaul +8209,Shipping,Shipsanity: Void Minnow,"SHIPSANITY,SHIPSANITY_FISH",Distant Lands - Witch Swamp Overhaul +8210,Shipping,Shipsanity: Swamp Leech,"SHIPSANITY,SHIPSANITY_FISH",Distant Lands - Witch Swamp Overhaul +8211,Shipping,Shipsanity: Purple Algae,SHIPSANITY,Distant Lands - Witch Swamp Overhaul +8212,Shipping,Shipsanity: Giant Horsehoe Crab,"SHIPSANITY,SHIPSANITY_FISH",Distant Lands - Witch Swamp Overhaul +8213,Shipping,Shipsanity: Mushroom Kebab,SHIPSANITY,Distant Lands - Witch Swamp Overhaul +8214,Shipping,Shipsanity: Crayfish Soup,SHIPSANITY,Distant Lands - Witch Swamp Overhaul +8215,Shipping,Shipsanity: Pemmican,SHIPSANITY,Distant Lands - Witch Swamp Overhaul +8216,Shipping,Shipsanity: Void Mint Tea,SHIPSANITY,Distant Lands - Witch Swamp Overhaul +8217,Shipping,Shipsanity: Ginger Tincture,"SHIPSANITY,GINGER_ISLAND",Distant Lands - Witch Swamp Overhaul +8218,Shipping,Shipsanity: Neanderthal Limb Bones,SHIPSANITY,Boarding House and Bus Stop Extension +8219,Shipping,Shipsanity: Dinosaur Claw,SHIPSANITY,Boarding House and Bus Stop Extension +8220,Shipping,Shipsanity: Special Pumpkin Soup,SHIPSANITY,Boarding House and Bus Stop Extension +8221,Shipping,Shipsanity: Pterodactyl L Wing Bone,SHIPSANITY,Boarding House and Bus Stop Extension +8222,Shipping,Shipsanity: Dinosaur Skull,SHIPSANITY,Boarding House and Bus Stop Extension +8223,Shipping,Shipsanity: Dinosaur Tooth,SHIPSANITY,Boarding House and Bus Stop Extension +8224,Shipping,Shipsanity: Pterodactyl Egg,"SHIPSANITY,SHIPSANITY_FULL_SHIPMENT",Boarding House and Bus Stop Extension +8225,Shipping,Shipsanity: Pterodactyl Ribs,SHIPSANITY,Boarding House and Bus Stop Extension +8226,Shipping,Shipsanity: Dinosaur Vertebra,SHIPSANITY,Boarding House and Bus Stop Extension +8227,Shipping,Shipsanity: Neanderthal Ribs,SHIPSANITY,Boarding House and Bus Stop Extension +8228,Shipping,Shipsanity: Dinosaur Pelvis,SHIPSANITY,Boarding House and Bus Stop Extension +8229,Shipping,Shipsanity: Dinosaur Ribs,SHIPSANITY,Boarding House and Bus Stop Extension +8230,Shipping,Shipsanity: Pterodactyl Phalange,SHIPSANITY,Boarding House and Bus Stop Extension +8231,Shipping,Shipsanity: Pterodactyl Vertebra,SHIPSANITY,Boarding House and Bus Stop Extension +8232,Shipping,Shipsanity: Neanderthal Pelvis,SHIPSANITY,Boarding House and Bus Stop Extension +8233,Shipping,Shipsanity: Pterodactyl Skull,SHIPSANITY,Boarding House and Bus Stop Extension +8234,Shipping,Shipsanity: Dinosaur Femur,SHIPSANITY,Boarding House and Bus Stop Extension +8235,Shipping,Shipsanity: Pterodactyl Claw,SHIPSANITY,Boarding House and Bus Stop Extension +8236,Shipping,Shipsanity: Neanderthal Skull,SHIPSANITY,Boarding House and Bus Stop Extension +8237,Shipping,Shipsanity: Pterodactyl R Wing Bone,SHIPSANITY,Boarding House and Bus Stop Extension diff --git a/worlds/stardew_valley/data/monster_data.py b/worlds/stardew_valley/data/monster_data.py index 6030571f89fe..5a4ebd67d5f5 100644 --- a/worlds/stardew_valley/data/monster_data.py +++ b/worlds/stardew_valley/data/monster_data.py @@ -1,8 +1,175 @@ -class Monster: - duggy = "Duggy" - blue_slime = "Blue Slime" - pepper_rex = "Pepper Rex" - stone_golem = "Stone Golem" +from dataclasses import dataclass +from typing import List, Tuple, Dict, Set, Callable +from Utils import cache_self1 +from ..mods.mod_data import ModNames +from ..strings.monster_names import Monster, MonsterCategory +from ..strings.performance_names import Performance +from ..strings.region_names import Region -frozen_monsters = (Monster.blue_slime,) +from ..mods.mod_monster_locations import modded_monsters_locations + + +@dataclass(frozen=True) +class StardewMonster: + name: str + category: str + locations: Tuple[str] + difficulty: str + + def __repr__(self): + return f"{self.name} [{self.category}] (Locations: {self.locations} |" \ + f" Difficulty: {self.difficulty}) |" + + +slime_hutch = (Region.slime_hutch,) +mines_floor_20 = (Region.mines_floor_20,) +mines_floor_60 = (Region.mines_floor_60,) +mines_floor_100 = (Region.mines_floor_100,) +dangerous_mines_20 = (Region.dangerous_mines_20,) +dangerous_mines_60 = (Region.dangerous_mines_60,) +dangerous_mines_100 = (Region.dangerous_mines_100,) +quarry_mine = (Region.quarry_mine,) +mutant_bug_lair = (Region.mutant_bug_lair,) +skull_cavern = (Region.skull_cavern_25,) +skull_cavern_high = (Region.skull_cavern_75,) +skull_cavern_dangerous = (Region.dangerous_skull_cavern,) +tiger_slime_grove = (Region.island_west,) +volcano = (Region.volcano_floor_5,) +volcano_high = (Region.volcano_floor_10,) + +all_monsters: List[StardewMonster] = [] +monster_modifications_by_mod: Dict[str, Dict[str, Callable[[str, StardewMonster], StardewMonster]]] = {} + + +def create_monster(name: str, category: str, locations: Tuple[str, ...], difficulty: str) -> StardewMonster: + monster = StardewMonster(name, category, locations, difficulty) + all_monsters.append(monster) + return monster + + +def update_monster_locations(mod_name: str, monster: StardewMonster): + new_locations = modded_monsters_locations[mod_name][monster.name] + total_locations = tuple(set(monster.locations + new_locations)) + return StardewMonster(monster.name, monster.category, total_locations, monster.difficulty) + + +def register_monster_modification(mod_name: str, monster: StardewMonster, modification_function): + if mod_name not in monster_modifications_by_mod: + monster_modifications_by_mod[mod_name] = {} + monster_modifications_by_mod[mod_name][monster.name] = modification_function + + +green_slime = create_monster(Monster.green_slime, MonsterCategory.slime, mines_floor_20, Performance.basic) +blue_slime = create_monster(Monster.blue_slime, MonsterCategory.slime, mines_floor_60, Performance.decent) +red_slime = create_monster(Monster.red_slime, MonsterCategory.slime, mines_floor_100, Performance.good) +purple_slime = create_monster(Monster.purple_slime, MonsterCategory.slime, skull_cavern, Performance.great) +yellow_slime = create_monster(Monster.yellow_slime, MonsterCategory.slime, skull_cavern_high, Performance.galaxy) +black_slime = create_monster(Monster.black_slime, MonsterCategory.slime, slime_hutch, Performance.decent) +copper_slime = create_monster(Monster.copper_slime, MonsterCategory.slime, quarry_mine, Performance.decent) +iron_slime = create_monster(Monster.iron_slime, MonsterCategory.slime, quarry_mine, Performance.good) +tiger_slime = create_monster(Monster.tiger_slime, MonsterCategory.slime, tiger_slime_grove, Performance.galaxy) + +shadow_shaman = create_monster(Monster.shadow_shaman, MonsterCategory.void_spirits, mines_floor_100, Performance.good) +shadow_shaman_dangerous = create_monster(Monster.shadow_shaman_dangerous, MonsterCategory.void_spirits, dangerous_mines_100, Performance.galaxy) +shadow_brute = create_monster(Monster.shadow_brute, MonsterCategory.void_spirits, mines_floor_100, Performance.good) +shadow_brute_dangerous = create_monster(Monster.shadow_brute_dangerous, MonsterCategory.void_spirits, dangerous_mines_100, Performance.galaxy) +shadow_sniper = create_monster(Monster.shadow_sniper, MonsterCategory.void_spirits, dangerous_mines_100, Performance.galaxy) + +bat = create_monster(Monster.bat, MonsterCategory.bats, mines_floor_20, Performance.basic) +bat_dangerous = create_monster(Monster.bat_dangerous, MonsterCategory.bats, dangerous_mines_20, Performance.galaxy) +frost_bat = create_monster(Monster.frost_bat, MonsterCategory.bats, mines_floor_60, Performance.decent) +frost_bat_dangerous = create_monster(Monster.frost_bat_dangerous, MonsterCategory.bats, dangerous_mines_60, Performance.galaxy) +lava_bat = create_monster(Monster.lava_bat, MonsterCategory.bats, mines_floor_100, Performance.good) +iridium_bat = create_monster(Monster.iridium_bat, MonsterCategory.bats, skull_cavern_high, Performance.great) + +skeleton = create_monster(Monster.skeleton, MonsterCategory.skeletons, mines_floor_100, Performance.good) +skeleton_dangerous = create_monster(Monster.skeleton_dangerous, MonsterCategory.skeletons, dangerous_mines_100, Performance.galaxy) +skeleton_mage = create_monster(Monster.skeleton_mage, MonsterCategory.skeletons, dangerous_mines_100, Performance.galaxy) + +bug = create_monster(Monster.bug, MonsterCategory.cave_insects, mines_floor_20, Performance.basic) +bug_dangerous = create_monster(Monster.bug_dangerous, MonsterCategory.cave_insects, dangerous_mines_20, Performance.galaxy) +cave_fly = create_monster(Monster.cave_fly, MonsterCategory.cave_insects, mines_floor_20, Performance.basic) +cave_fly_dangerous = create_monster(Monster.cave_fly_dangerous, MonsterCategory.cave_insects, dangerous_mines_60, Performance.galaxy) +grub = create_monster(Monster.grub, MonsterCategory.cave_insects, mines_floor_20, Performance.basic) +grub_dangerous = create_monster(Monster.grub_dangerous, MonsterCategory.cave_insects, dangerous_mines_60, Performance.galaxy) +mutant_fly = create_monster(Monster.mutant_fly, MonsterCategory.cave_insects, mutant_bug_lair, Performance.good) +mutant_grub = create_monster(Monster.mutant_grub, MonsterCategory.cave_insects, mutant_bug_lair, Performance.good) +armored_bug = create_monster(Monster.armored_bug, MonsterCategory.cave_insects, skull_cavern, Performance.basic) # Requires 'Bug Killer' enchantment +armored_bug_dangerous = create_monster(Monster.armored_bug_dangerous, MonsterCategory.cave_insects, skull_cavern, + Performance.good) # Requires 'Bug Killer' enchantment + +duggy = create_monster(Monster.duggy, MonsterCategory.duggies, mines_floor_20, Performance.basic) +duggy_dangerous = create_monster(Monster.duggy_dangerous, MonsterCategory.duggies, dangerous_mines_20, Performance.great) +magma_duggy = create_monster(Monster.magma_duggy, MonsterCategory.duggies, volcano, Performance.galaxy) + +dust_sprite = create_monster(Monster.dust_sprite, MonsterCategory.dust_sprites, mines_floor_60, Performance.basic) +dust_sprite_dangerous = create_monster(Monster.dust_sprite_dangerous, MonsterCategory.dust_sprites, dangerous_mines_60, Performance.great) + +rock_crab = create_monster(Monster.rock_crab, MonsterCategory.rock_crabs, mines_floor_20, Performance.basic) +rock_crab_dangerous = create_monster(Monster.rock_crab_dangerous, MonsterCategory.rock_crabs, dangerous_mines_20, Performance.great) +lava_crab = create_monster(Monster.lava_crab, MonsterCategory.rock_crabs, mines_floor_100, Performance.good) +lava_crab_dangerous = create_monster(Monster.lava_crab_dangerous, MonsterCategory.rock_crabs, dangerous_mines_100, Performance.galaxy) +iridium_crab = create_monster(Monster.iridium_crab, MonsterCategory.rock_crabs, skull_cavern, Performance.great) + +mummy = create_monster(Monster.mummy, MonsterCategory.mummies, skull_cavern, Performance.great) # Requires bombs or "Crusader" enchantment +mummy_dangerous = create_monster(Monster.mummy_dangerous, MonsterCategory.mummies, skull_cavern_dangerous, + Performance.maximum) # Requires bombs or "Crusader" enchantment + +pepper_rex = create_monster(Monster.pepper_rex, MonsterCategory.pepper_rex, skull_cavern, Performance.great) + +serpent = create_monster(Monster.serpent, MonsterCategory.serpents, skull_cavern, Performance.galaxy) +royal_serpent = create_monster(Monster.royal_serpent, MonsterCategory.serpents, skull_cavern_dangerous, Performance.maximum) + +magma_sprite = create_monster(Monster.magma_sprite, MonsterCategory.magma_sprites, volcano, Performance.galaxy) +magma_sparker = create_monster(Monster.magma_sparker, MonsterCategory.magma_sprites, volcano_high, Performance.galaxy) + +register_monster_modification(ModNames.sve, shadow_brute_dangerous, update_monster_locations) +register_monster_modification(ModNames.sve, shadow_sniper, update_monster_locations) +register_monster_modification(ModNames.sve, shadow_shaman_dangerous, update_monster_locations) +register_monster_modification(ModNames.sve, mummy_dangerous, update_monster_locations) +register_monster_modification(ModNames.sve, royal_serpent, update_monster_locations) +register_monster_modification(ModNames.sve, skeleton_dangerous, update_monster_locations) +register_monster_modification(ModNames.sve, skeleton_mage, update_monster_locations) +register_monster_modification(ModNames.sve, dust_sprite_dangerous, update_monster_locations) + +register_monster_modification(ModNames.deepwoods, shadow_brute, update_monster_locations) +register_monster_modification(ModNames.deepwoods, cave_fly, update_monster_locations) +register_monster_modification(ModNames.deepwoods, green_slime, update_monster_locations) + +register_monster_modification(ModNames.boarding_house, pepper_rex, update_monster_locations) +register_monster_modification(ModNames.boarding_house, shadow_brute, update_monster_locations) +register_monster_modification(ModNames.boarding_house, iridium_bat, update_monster_locations) +register_monster_modification(ModNames.boarding_house, frost_bat, update_monster_locations) +register_monster_modification(ModNames.boarding_house, cave_fly, update_monster_locations) +register_monster_modification(ModNames.boarding_house, bat, update_monster_locations) +register_monster_modification(ModNames.boarding_house, grub, update_monster_locations) +register_monster_modification(ModNames.boarding_house, bug, update_monster_locations) + + +def all_monsters_by_name_given_mods(mods: Set[str]) -> Dict[str, StardewMonster]: + monsters_by_name = {} + for monster in all_monsters: + current_monster = monster + for mod in monster_modifications_by_mod: + if mod not in mods or monster.name not in monster_modifications_by_mod[mod]: + continue + modification_function = monster_modifications_by_mod[mod][monster.name] + current_monster = modification_function(mod, current_monster) + monsters_by_name[monster.name] = current_monster + return monsters_by_name + + +def all_monsters_by_category_given_mods(mods: Set[str]) -> Dict[str, Tuple[StardewMonster, ...]]: + monsters_by_category = {} + for monster in all_monsters: + current_monster = monster + for mod in monster_modifications_by_mod: + if mod not in mods or monster.name not in monster_modifications_by_mod[mod]: + continue + modification_function = monster_modifications_by_mod[mod][monster.name] + current_monster = modification_function(mod, current_monster) + if current_monster.category not in monsters_by_category: + monsters_by_category[monster.category] = () + monsters_by_category[current_monster.category] = monsters_by_category[current_monster.category] + (current_monster,) + return monsters_by_category diff --git a/worlds/stardew_valley/data/museum_data.py b/worlds/stardew_valley/data/museum_data.py index b786f5b2d00c..544bb92e6e55 100644 --- a/worlds/stardew_valley/data/museum_data.py +++ b/worlds/stardew_valley/data/museum_data.py @@ -3,23 +3,24 @@ from dataclasses import dataclass from typing import List, Tuple, Union, Optional -from . import common_data as common -from .game_item import GameItem -from .monster_data import Monster +from ..strings.monster_names import Monster +from ..strings.fish_names import WaterChest +from ..strings.forageable_names import Forageable +from ..strings.metal_names import Mineral, Artifact, Fossil from ..strings.region_names import Region from ..strings.geode_names import Geode @dataclass(frozen=True) -class MuseumItem(GameItem): +class MuseumItem: + item_name: str locations: Tuple[str, ...] geodes: Tuple[str, ...] monsters: Tuple[str, ...] difficulty: float @staticmethod - def of(name: str, - item_id: int, + def of(item_name: str, difficulty: float, locations: Union[str, Tuple[str, ...]], geodes: Union[str, Tuple[str, ...]], @@ -33,10 +34,10 @@ def of(name: str, if isinstance(monsters, str): monsters = (monsters,) - return MuseumItem(name, item_id, locations, geodes, monsters, difficulty) + return MuseumItem(item_name, locations, geodes, monsters, difficulty) def __repr__(self): - return f"{self.name} [{self.item_id}] (Locations: {self.locations} |" \ + return f"{self.item_name} (Locations: {self.locations} |" \ f" Geodes: {self.geodes} |" \ f" Monsters: {self.monsters}) " @@ -50,20 +51,18 @@ def __repr__(self): def create_artifact(name: str, - item_id: int, difficulty: float, locations: Union[str, Tuple[str, ...]] = (), geodes: Union[str, Tuple[str, ...]] = (), monsters: Union[str, Tuple[str, ...]] = ()) -> MuseumItem: - artifact_item = MuseumItem.of(name, item_id, difficulty, locations, geodes, monsters) + artifact_item = MuseumItem.of(name, difficulty, locations, geodes, monsters) all_museum_artifacts.append(artifact_item) all_museum_items.append(artifact_item) return artifact_item def create_mineral(name: str, - item_id: int, - locations: Union[str, Tuple[str, ...]], + locations: Union[str, Tuple[str, ...]] = (), geodes: Union[str, Tuple[str, ...]] = (), monsters: Union[str, Tuple[str, ...]] = (), difficulty: Optional[float] = None) -> MuseumItem: @@ -78,212 +77,207 @@ def create_mineral(name: str, if "Omni Geode" in geodes: difficulty += 31.0 / 2750.0 * 100 - mineral_item = MuseumItem.of(name, item_id, difficulty, locations, geodes, monsters) + mineral_item = MuseumItem.of(name, difficulty, locations, geodes, monsters) all_museum_minerals.append(mineral_item) all_museum_items.append(mineral_item) return mineral_item class Artifact: - dwarf_scroll_i = create_artifact("Dwarf Scroll I", 96, 5.6, Region.mines_floor_20, + dwarf_scroll_i = create_artifact("Dwarf Scroll I", 5.6, Region.mines_floor_20, monsters=unlikely) - dwarf_scroll_ii = create_artifact("Dwarf Scroll II", 97, 3, Region.mines_floor_20, + dwarf_scroll_ii = create_artifact("Dwarf Scroll II", 3, Region.mines_floor_20, monsters=unlikely) - dwarf_scroll_iii = create_artifact("Dwarf Scroll III", 98, 7.5, Region.mines_floor_60, + dwarf_scroll_iii = create_artifact("Dwarf Scroll III", 7.5, Region.mines_floor_60, monsters=Monster.blue_slime) - dwarf_scroll_iv = create_artifact("Dwarf Scroll IV", 99, 4, Region.mines_floor_100) - chipped_amphora = create_artifact("Chipped Amphora", 100, 6.7, Region.town, + dwarf_scroll_iv = create_artifact("Dwarf Scroll IV", 4, Region.mines_floor_100) + chipped_amphora = create_artifact("Chipped Amphora", 6.7, Region.town, geodes=Geode.artifact_trove) - arrowhead = create_artifact("Arrowhead", 101, 8.5, (Region.mountain, Region.forest, Region.bus_stop), + arrowhead = create_artifact("Arrowhead", 8.5, (Region.mountain, Region.forest, Region.bus_stop), geodes=Geode.artifact_trove) - ancient_doll = create_artifact("Ancient Doll", 103, 13.1, (Region.mountain, Region.forest, Region.bus_stop), - geodes=(Geode.artifact_trove, common.fishing_chest)) - elvish_jewelry = create_artifact("Elvish Jewelry", 104, 5.3, Region.forest, - geodes=(Geode.artifact_trove, common.fishing_chest)) - chewing_stick = create_artifact("Chewing Stick", 105, 10.3, (Region.mountain, Region.forest, Region.town), - geodes=(Geode.artifact_trove, common.fishing_chest)) - ornamental_fan = create_artifact("Ornamental Fan", 106, 7.4, (Region.beach, Region.forest, Region.town), - geodes=(Geode.artifact_trove, common.fishing_chest)) - dinosaur_egg = create_artifact("Dinosaur Egg", 107, 11.4, (Region.mountain, Region.skull_cavern), - geodes=common.fishing_chest, + ancient_doll = create_artifact("Ancient Doll", 13.1, (Region.mountain, Region.forest, Region.bus_stop), + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + elvish_jewelry = create_artifact("Elvish Jewelry", 5.3, Region.forest, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + chewing_stick = create_artifact("Chewing Stick", 10.3, (Region.mountain, Region.forest, Region.town), + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + ornamental_fan = create_artifact("Ornamental Fan", 7.4, (Region.beach, Region.forest, Region.town), + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + dinosaur_egg = create_artifact("Dinosaur Egg", 11.4, (Region.mountain, Region.skull_cavern), + geodes=WaterChest.fishing_chest, monsters=Monster.pepper_rex) - rare_disc = create_artifact("Rare Disc", 108, 5.6, Region.stardew_valley, - geodes=(Geode.artifact_trove, common.fishing_chest), + rare_disc = create_artifact("Rare Disc", 5.6, Region.stardew_valley, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest), monsters=unlikely) - ancient_sword = create_artifact("Ancient Sword", 109, 5.8, (Region.forest, Region.mountain), - geodes=(Geode.artifact_trove, common.fishing_chest)) - rusty_spoon = create_artifact("Rusty Spoon", 110, 9.6, Region.town, - geodes=(Geode.artifact_trove, common.fishing_chest)) - rusty_spur = create_artifact("Rusty Spur", 111, 15.6, Region.farm, - geodes=(Geode.artifact_trove, common.fishing_chest)) - rusty_cog = create_artifact("Rusty Cog", 112, 9.6, Region.mountain, - geodes=(Geode.artifact_trove, common.fishing_chest)) - chicken_statue = create_artifact("Chicken Statue", 113, 13.5, Region.farm, - geodes=(Geode.artifact_trove, common.fishing_chest)) - ancient_seed = create_artifact("Ancient Seed", 114, 8.4, (Region.forest, Region.mountain), - geodes=(Geode.artifact_trove, common.fishing_chest), + ancient_sword = create_artifact("Ancient Sword", 5.8, (Region.forest, Region.mountain), + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + rusty_spoon = create_artifact("Rusty Spoon", 9.6, Region.town, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + rusty_spur = create_artifact("Rusty Spur", 15.6, Region.farm, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + rusty_cog = create_artifact("Rusty Cog", 9.6, Region.mountain, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + chicken_statue = create_artifact("Chicken Statue", 13.5, Region.farm, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + ancient_seed = create_artifact("Ancient Seed", 8.4, (Region.forest, Region.mountain), + geodes=(Geode.artifact_trove, WaterChest.fishing_chest), monsters=unlikely) - prehistoric_tool = create_artifact("Prehistoric Tool", 115, 11.1, (Region.mountain, Region.forest, Region.bus_stop), - geodes=(Geode.artifact_trove, common.fishing_chest)) - dried_starfish = create_artifact("Dried Starfish", 116, 12.5, Region.beach, - geodes=(Geode.artifact_trove, common.fishing_chest)) - anchor = create_artifact("Anchor", 117, 8.5, Region.beach, geodes=(Geode.artifact_trove, common.fishing_chest)) - glass_shards = create_artifact("Glass Shards", 118, 11.5, Region.beach, - geodes=(Geode.artifact_trove, common.fishing_chest)) - bone_flute = create_artifact("Bone Flute", 119, 6.3, (Region.mountain, Region.forest, Region.town), - geodes=(Geode.artifact_trove, common.fishing_chest)) - prehistoric_handaxe = create_artifact("Prehistoric Handaxe", 120, 13.7, + prehistoric_tool = create_artifact("Prehistoric Tool", 11.1, (Region.mountain, Region.forest, Region.bus_stop), + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + dried_starfish = create_artifact("Dried Starfish", 12.5, Region.beach, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + anchor = create_artifact("Anchor", 8.5, Region.beach, geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + glass_shards = create_artifact("Glass Shards", 11.5, Region.beach, + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + bone_flute = create_artifact("Bone Flute", 6.3, (Region.mountain, Region.forest, Region.town), + geodes=(Geode.artifact_trove, WaterChest.fishing_chest)) + prehistoric_handaxe = create_artifact(Artifact.prehistoric_handaxe, 13.7, (Region.mountain, Region.forest, Region.bus_stop), geodes=Geode.artifact_trove) - dwarvish_helm = create_artifact("Dwarvish Helm", 121, 8.7, Region.mines_floor_20, + dwarvish_helm = create_artifact("Dwarvish Helm", 8.7, Region.mines_floor_20, geodes=(Geode.geode, Geode.omni, Geode.artifact_trove)) - dwarf_gadget = create_artifact("Dwarf Gadget", 122, 9.7, Region.mines_floor_60, + dwarf_gadget = create_artifact("Dwarf Gadget", 9.7, Region.mines_floor_60, geodes=(Geode.magma, Geode.omni, Geode.artifact_trove)) - ancient_drum = create_artifact("Ancient Drum", 123, 9.5, (Region.bus_stop, Region.forest, Region.town), + ancient_drum = create_artifact("Ancient Drum", 9.5, (Region.bus_stop, Region.forest, Region.town), geodes=(Geode.frozen, Geode.omni, Geode.artifact_trove)) - golden_mask = create_artifact("Golden Mask", 124, 6.7, Region.desert, + golden_mask = create_artifact("Golden Mask", 6.7, Region.desert, geodes=Geode.artifact_trove) - golden_relic = create_artifact("Golden Relic", 125, 9.7, Region.desert, + golden_relic = create_artifact("Golden Relic", 9.7, Region.desert, geodes=Geode.artifact_trove) - strange_doll_green = create_artifact("Strange Doll (Green)", 126, 10, Region.town, - geodes=common.secret_note) - strange_doll = create_artifact("Strange Doll", 127, 10, Region.desert, - geodes=common.secret_note) - prehistoric_scapula = create_artifact("Prehistoric Scapula", 579, 6.2, + strange_doll_green = create_artifact("Strange Doll (Green)", 10, Region.town, + geodes=Forageable.secret_note) + strange_doll = create_artifact("Strange Doll", 10, Region.desert, + geodes=Forageable.secret_note) + prehistoric_scapula = create_artifact("Prehistoric Scapula", 6.2, (Region.dig_site, Region.forest, Region.town)) - prehistoric_tibia = create_artifact("Prehistoric Tibia", 580, 16.6, + prehistoric_tibia = create_artifact("Prehistoric Tibia", 16.6, (Region.dig_site, Region.forest, Region.railroad)) - prehistoric_skull = create_artifact("Prehistoric Skull", 581, 3.9, (Region.dig_site, Region.mountain)) - skeletal_hand = create_artifact("Skeletal Hand", 582, 7.9, (Region.dig_site, Region.backwoods, Region.beach)) - prehistoric_rib = create_artifact("Prehistoric Rib", 583, 15, (Region.dig_site, Region.farm, Region.town), + prehistoric_skull = create_artifact("Prehistoric Skull", 3.9, (Region.dig_site, Region.mountain)) + skeletal_hand = create_artifact(Fossil.skeletal_hand, 7.9, (Region.dig_site, Region.backwoods, Region.beach)) + prehistoric_rib = create_artifact("Prehistoric Rib", 15, (Region.dig_site, Region.farm, Region.town), monsters=Monster.pepper_rex) - prehistoric_vertebra = create_artifact("Prehistoric Vertebra", 584, 12.7, (Region.dig_site, Region.bus_stop), + prehistoric_vertebra = create_artifact("Prehistoric Vertebra", 12.7, (Region.dig_site, Region.bus_stop), monsters=Monster.pepper_rex) - skeletal_tail = create_artifact("Skeletal Tail", 585, 5.1, (Region.dig_site, Region.mines_floor_20), - geodes=common.fishing_chest) - nautilus_fossil = create_artifact("Nautilus Fossil", 586, 6.9, (Region.dig_site, Region.beach), - geodes=common.fishing_chest) - amphibian_fossil = create_artifact("Amphibian Fossil", 587, 6.3, (Region.dig_site, Region.forest, Region.mountain), - geodes=common.fishing_chest) - palm_fossil = create_artifact("Palm Fossil", 588, 10.2, + skeletal_tail = create_artifact("Skeletal Tail", 5.1, (Region.dig_site, Region.mines_floor_20), + geodes=WaterChest.fishing_chest) + nautilus_fossil = create_artifact("Nautilus Fossil", 6.9, (Region.dig_site, Region.beach), + geodes=WaterChest.fishing_chest) + amphibian_fossil = create_artifact("Amphibian Fossil", 6.3, (Region.dig_site, Region.forest, Region.mountain), + geodes=WaterChest.fishing_chest) + palm_fossil = create_artifact("Palm Fossil", 10.2, (Region.dig_site, Region.desert, Region.forest, Region.beach)) - trilobite = create_artifact("Trilobite", 589, 7.4, (Region.dig_site, Region.desert, Region.forest, Region.beach)) + trilobite = create_artifact("Trilobite", 7.4, (Region.dig_site, Region.desert, Region.forest, Region.beach)) class Mineral: - quartz = create_mineral("Quartz", 80, Region.mines_floor_20, - monsters=Monster.stone_golem) - fire_quartz = create_mineral("Fire Quartz", 82, Region.mines_floor_100, - geodes=(Geode.magma, Geode.omni, common.fishing_chest), + quartz = create_mineral(Mineral.quartz, Region.mines_floor_20) + fire_quartz = create_mineral("Fire Quartz", Region.mines_floor_100, + geodes=(Geode.magma, Geode.omni, WaterChest.fishing_chest), difficulty=1.0 / 12.0) - frozen_tear = create_mineral("Frozen Tear", 84, Region.mines_floor_60, - geodes=(Geode.frozen, Geode.omni, common.fishing_chest), + frozen_tear = create_mineral("Frozen Tear", Region.mines_floor_60, + geodes=(Geode.frozen, Geode.omni, WaterChest.fishing_chest), monsters=unlikely, difficulty=1.0 / 12.0) - earth_crystal = create_mineral("Earth Crystal", 86, Region.mines_floor_20, - geodes=(Geode.geode, Geode.omni, common.fishing_chest), + earth_crystal = create_mineral("Earth Crystal", Region.mines_floor_20, + geodes=(Geode.geode, Geode.omni, WaterChest.fishing_chest), monsters=Monster.duggy, difficulty=1.0 / 12.0) - emerald = create_mineral("Emerald", 60, Region.mines_floor_100, - geodes=common.fishing_chest) - aquamarine = create_mineral("Aquamarine", 62, Region.mines_floor_60, - geodes=common.fishing_chest) - ruby = create_mineral("Ruby", 64, Region.mines_floor_100, - geodes=common.fishing_chest) - amethyst = create_mineral("Amethyst", 66, Region.mines_floor_20, - geodes=common.fishing_chest) - topaz = create_mineral("Topaz", 68, Region.mines_floor_20, - geodes=common.fishing_chest) - jade = create_mineral("Jade", 70, Region.mines_floor_60, - geodes=common.fishing_chest) - diamond = create_mineral("Diamond", 72, Region.mines_floor_60, - geodes=common.fishing_chest) - prismatic_shard = create_mineral("Prismatic Shard", 74, Region.skull_cavern_100, + emerald = create_mineral("Emerald", Region.mines_floor_100, + geodes=WaterChest.fishing_chest) + aquamarine = create_mineral("Aquamarine", Region.mines_floor_60, + geodes=WaterChest.fishing_chest) + ruby = create_mineral("Ruby", Region.mines_floor_100, + geodes=WaterChest.fishing_chest) + amethyst = create_mineral("Amethyst", Region.mines_floor_20, + geodes=WaterChest.fishing_chest) + topaz = create_mineral("Topaz", Region.mines_floor_20, + geodes=WaterChest.fishing_chest) + jade = create_mineral("Jade", Region.mines_floor_60, + geodes=WaterChest.fishing_chest) + diamond = create_mineral("Diamond", Region.mines_floor_60, + geodes=WaterChest.fishing_chest) + prismatic_shard = create_mineral("Prismatic Shard", Region.skull_cavern_100, geodes=unlikely, monsters=unlikely) - alamite = create_mineral("Alamite", 538, Region.town, + alamite = create_mineral("Alamite", geodes=(Geode.geode, Geode.omni)) - bixite = create_mineral("Bixite", 539, Region.town, + bixite = create_mineral("Bixite", geodes=(Geode.magma, Geode.omni), monsters=unlikely) - baryte = create_mineral("Baryte", 540, Region.town, + baryte = create_mineral("Baryte", geodes=(Geode.magma, Geode.omni)) - aerinite = create_mineral("Aerinite", 541, Region.town, + aerinite = create_mineral("Aerinite", geodes=(Geode.frozen, Geode.omni)) - calcite = create_mineral("Calcite", 542, Region.town, + calcite = create_mineral("Calcite", geodes=(Geode.geode, Geode.omni)) - dolomite = create_mineral("Dolomite", 543, Region.town, + dolomite = create_mineral("Dolomite", geodes=(Geode.magma, Geode.omni)) - esperite = create_mineral("Esperite", 544, Region.town, + esperite = create_mineral("Esperite", geodes=(Geode.frozen, Geode.omni)) - fluorapatite = create_mineral("Fluorapatite", 545, Region.town, + fluorapatite = create_mineral("Fluorapatite", geodes=(Geode.frozen, Geode.omni)) - geminite = create_mineral("Geminite", 546, Region.town, + geminite = create_mineral("Geminite", geodes=(Geode.frozen, Geode.omni)) - helvite = create_mineral("Helvite", 547, Region.town, + helvite = create_mineral("Helvite", geodes=(Geode.magma, Geode.omni)) - jamborite = create_mineral("Jamborite", 548, Region.town, + jamborite = create_mineral("Jamborite", geodes=(Geode.geode, Geode.omni)) - jagoite = create_mineral("Jagoite", 549, Region.town, + jagoite = create_mineral("Jagoite", geodes=(Geode.geode, Geode.omni)) - kyanite = create_mineral("Kyanite", 550, Region.town, + kyanite = create_mineral("Kyanite", geodes=(Geode.frozen, Geode.omni)) - lunarite = create_mineral("Lunarite", 551, Region.town, + lunarite = create_mineral("Lunarite", geodes=(Geode.frozen, Geode.omni)) - malachite = create_mineral("Malachite", 552, Region.town, + malachite = create_mineral("Malachite", geodes=(Geode.geode, Geode.omni)) - neptunite = create_mineral("Neptunite", 553, Region.town, + neptunite = create_mineral("Neptunite", geodes=(Geode.magma, Geode.omni)) - lemon_stone = create_mineral("Lemon Stone", 554, Region.town, + lemon_stone = create_mineral("Lemon Stone", geodes=(Geode.magma, Geode.omni)) - nekoite = create_mineral("Nekoite", 555, Region.town, + nekoite = create_mineral("Nekoite", geodes=(Geode.geode, Geode.omni)) - orpiment = create_mineral("Orpiment", 556, Region.town, + orpiment = create_mineral("Orpiment", geodes=(Geode.geode, Geode.omni)) - petrified_slime = create_mineral("Petrified Slime", 557, Region.town, - geodes=(Geode.geode, Geode.omni)) - thunder_egg = create_mineral("Thunder Egg", 558, Region.town, + petrified_slime = create_mineral(Mineral.petrified_slime, Region.slime_hutch) + thunder_egg = create_mineral("Thunder Egg", geodes=(Geode.geode, Geode.omni)) - pyrite = create_mineral("Pyrite", 559, Region.town, + pyrite = create_mineral("Pyrite", geodes=(Geode.frozen, Geode.omni)) - ocean_stone = create_mineral("Ocean Stone", 560, Region.town, + ocean_stone = create_mineral("Ocean Stone", geodes=(Geode.frozen, Geode.omni)) - ghost_crystal = create_mineral("Ghost Crystal", 561, Region.town, + ghost_crystal = create_mineral("Ghost Crystal", geodes=(Geode.frozen, Geode.omni)) - tigerseye = create_mineral("Tigerseye", 562, Region.town, + tigerseye = create_mineral("Tigerseye", geodes=(Geode.magma, Geode.omni)) - jasper = create_mineral("Jasper", 563, Region.town, + jasper = create_mineral("Jasper", geodes=(Geode.magma, Geode.omni)) - opal = create_mineral("Opal", 564, Region.town, + opal = create_mineral("Opal", geodes=(Geode.frozen, Geode.omni)) - fire_opal = create_mineral("Fire Opal", 565, Region.town, + fire_opal = create_mineral("Fire Opal", geodes=(Geode.magma, Geode.omni)) - celestine = create_mineral("Celestine", 566, Region.town, + celestine = create_mineral("Celestine", geodes=(Geode.geode, Geode.omni)) - marble = create_mineral("Marble", 567, Region.town, + marble = create_mineral("Marble", geodes=(Geode.frozen, Geode.omni)) - sandstone = create_mineral("Sandstone", 568, Region.town, + sandstone = create_mineral("Sandstone", geodes=(Geode.geode, Geode.omni)) - granite = create_mineral("Granite", 569, Region.town, + granite = create_mineral("Granite", geodes=(Geode.geode, Geode.omni)) - basalt = create_mineral("Basalt", 570, Region.town, + basalt = create_mineral("Basalt", geodes=(Geode.magma, Geode.omni)) - limestone = create_mineral("Limestone", 571, Region.town, + limestone = create_mineral("Limestone", geodes=(Geode.geode, Geode.omni)) - soapstone = create_mineral("Soapstone", 572, Region.town, + soapstone = create_mineral("Soapstone", geodes=(Geode.frozen, Geode.omni)) - hematite = create_mineral("Hematite", 573, Region.town, + hematite = create_mineral("Hematite", geodes=(Geode.frozen, Geode.omni)) - mudstone = create_mineral("Mudstone", 574, Region.town, + mudstone = create_mineral("Mudstone", geodes=(Geode.geode, Geode.omni)) - obsidian = create_mineral("Obsidian", 575, Region.town, + obsidian = create_mineral("Obsidian", geodes=(Geode.magma, Geode.omni)) - slate = create_mineral("Slate", 576, Region.town, - geodes=(Geode.geode, Geode.omni)) - fairy_stone = create_mineral("Fairy Stone", 577, Region.town, - geodes=(Geode.frozen, Geode.omni)) - star_shards = create_mineral("Star Shards", 578, Region.town, - geodes=(Geode.magma, Geode.omni)) + slate = create_mineral("Slate", geodes=(Geode.geode, Geode.omni)) + fairy_stone = create_mineral("Fairy Stone", geodes=(Geode.frozen, Geode.omni)) + star_shards = create_mineral("Star Shards", geodes=(Geode.magma, Geode.omni)) dwarf_scrolls = (Artifact.dwarf_scroll_i, Artifact.dwarf_scroll_ii, Artifact.dwarf_scroll_iii, Artifact.dwarf_scroll_iv) @@ -291,4 +285,4 @@ class Mineral: skeleton_middle = (Artifact.prehistoric_rib, Artifact.prehistoric_vertebra) skeleton_back = (Artifact.prehistoric_tibia, Artifact.skeletal_tail) -all_museum_items_by_name = {item.name: item for item in all_museum_items} +all_museum_items_by_name = {item.item_name: item for item in all_museum_items} diff --git a/worlds/stardew_valley/data/recipe_data.py b/worlds/stardew_valley/data/recipe_data.py index dc1b490bf93c..62dcd8709c64 100644 --- a/worlds/stardew_valley/data/recipe_data.py +++ b/worlds/stardew_valley/data/recipe_data.py @@ -1,78 +1,35 @@ -from typing import Dict, List - +from typing import Dict, List, Optional +from ..mods.mod_data import ModNames +from .recipe_source import RecipeSource, FriendshipSource, SkillSource, QueenOfSauceSource, ShopSource, StarterSource, ShopTradeSource, ShopFriendshipSource from ..strings.animal_product_names import AnimalProduct from ..strings.artisan_good_names import ArtisanGood -from ..strings.crop_names import Fruit, Vegetable -from ..strings.fish_names import Fish, WaterItem +from ..strings.craftable_names import ModEdible, Edible +from ..strings.crop_names import Fruit, Vegetable, SVEFruit, DistantLandsCrop +from ..strings.fish_names import Fish, SVEFish, WaterItem, DistantLandsFish from ..strings.flower_names import Flower -from ..strings.forageable_names import Forageable +from ..strings.forageable_names import Forageable, SVEForage, DistantLandsForageable from ..strings.ingredient_names import Ingredient -from ..strings.food_names import Meal, Beverage -from ..strings.region_names import Region +from ..strings.food_names import Meal, SVEMeal, Beverage, DistantLandsMeal, BoardingHouseMeal +from ..strings.material_names import Material +from ..strings.metal_names import Fossil +from ..strings.monster_drop_names import Loot +from ..strings.region_names import Region, SVERegion from ..strings.season_names import Season from ..strings.skill_names import Skill -from ..strings.villager_names import NPC - - -class RecipeSource: - pass - - -class StarterSource(RecipeSource): - pass - - -class QueenOfSauceSource(RecipeSource): - year: int - season: str - day: int - - def __init__(self, year: int, season: str, day: int): - self.year = year - self.season = season - self.day = day - - -class FriendshipSource(RecipeSource): - friend: str - hearts: int - - def __init__(self, friend: str, hearts: int): - self.friend = friend - self.hearts = hearts - - -class SkillSource(RecipeSource): - skill: str - level: int - - def __init__(self, skill: str, level: int): - self.skill = skill - self.level = level - - -class ShopSource(RecipeSource): - region: str - price: int - - def __init__(self, region: str, price: int): - self.region = region - self.price = price - - -class ShopTradeSource(ShopSource): - currency: str +from ..strings.villager_names import NPC, ModNPC class CookingRecipe: meal: str ingredients: Dict[str, int] source: RecipeSource + mod_name: Optional[str] = None - def __init__(self, meal: str, ingredients: Dict[str, int], source: RecipeSource): + def __init__(self, meal: str, ingredients: Dict[str, int], source: RecipeSource, mod_name: Optional[str] = None): self.meal = meal self.ingredients = ingredients self.source = source + self.mod_name = mod_name def __repr__(self): return f"{self.meal} (Source: {self.source} |" \ @@ -82,9 +39,14 @@ def __repr__(self): all_cooking_recipes: List[CookingRecipe] = [] -def friendship_recipe(name: str, friend: str, hearts: int, ingredients: Dict[str, int]) -> CookingRecipe: +def friendship_recipe(name: str, friend: str, hearts: int, ingredients: Dict[str, int], mod_name: Optional[str] = None) -> CookingRecipe: source = FriendshipSource(friend, hearts) - return create_recipe(name, ingredients, source) + return create_recipe(name, ingredients, source, mod_name) + + +def friendship_and_shop_recipe(name: str, friend: str, hearts: int, region: str, price: int, ingredients: Dict[str, int], mod_name: Optional[str] = None) -> CookingRecipe: + source = ShopFriendshipSource(friend, hearts, region, price) + return create_recipe(name, ingredients, source, mod_name) def skill_recipe(name: str, skill: str, level: int, ingredients: Dict[str, int]) -> CookingRecipe: @@ -92,8 +54,13 @@ def skill_recipe(name: str, skill: str, level: int, ingredients: Dict[str, int]) return create_recipe(name, ingredients, source) -def shop_recipe(name: str, region: str, price: int, ingredients: Dict[str, int]) -> CookingRecipe: +def shop_recipe(name: str, region: str, price: int, ingredients: Dict[str, int], mod_name: Optional[str] = None) -> CookingRecipe: source = ShopSource(region, price) + return create_recipe(name, ingredients, source, mod_name) + + +def shop_trade_recipe(name: str, region: str, currency: str, price: int, ingredients: Dict[str, int]) -> CookingRecipe: + source = ShopTradeSource(region, currency, price) return create_recipe(name, ingredients, source) @@ -107,34 +74,44 @@ def starter_recipe(name: str, ingredients: Dict[str, int]) -> CookingRecipe: return create_recipe(name, ingredients, source) -def create_recipe(name: str, ingredients: Dict[str, int], source: RecipeSource) -> CookingRecipe: - recipe = CookingRecipe(name, ingredients, source) +def create_recipe(name: str, ingredients: Dict[str, int], source: RecipeSource, mod_name: Optional[str] = None) -> CookingRecipe: + recipe = CookingRecipe(name, ingredients, source, mod_name) all_cooking_recipes.append(recipe) return recipe algae_soup = friendship_recipe(Meal.algae_soup, NPC.clint, 3, {WaterItem.green_algae: 4}) artichoke_dip = queen_of_sauce_recipe(Meal.artichoke_dip, 1, Season.fall, 28, {Vegetable.artichoke: 1, AnimalProduct.cow_milk: 1}) +autumn_bounty = friendship_recipe(Meal.autumn_bounty, NPC.demetrius, 7, {Vegetable.yam: 1, Vegetable.pumpkin: 1}) baked_fish = queen_of_sauce_recipe(Meal.baked_fish, 1, Season.summer, 7, {Fish.sunfish: 1, Fish.bream: 1, Ingredient.wheat_flour: 1}) +banana_pudding = shop_trade_recipe(Meal.banana_pudding, Region.island_trader, Fossil.bone_fragment, 30, {Fruit.banana: 1, AnimalProduct.cow_milk: 1, Ingredient.sugar: 1}) bean_hotpot = friendship_recipe(Meal.bean_hotpot, NPC.clint, 7, {Vegetable.green_bean: 2}) blackberry_cobbler_ingredients = {Forageable.blackberry: 2, Ingredient.sugar: 1, Ingredient.wheat_flour: 1} blackberry_cobbler_qos = queen_of_sauce_recipe(Meal.blackberry_cobbler, 2, Season.fall, 14, blackberry_cobbler_ingredients) -blueberry_tart = friendship_recipe(Meal.blueberry_tart, NPC.pierre, 3, {Fruit.blueberry: 1, Ingredient.wheat_flour: 1, Ingredient.sugar: 1, AnimalProduct.any_egg: 1}) +blueberry_tart_ingredients = {Fruit.blueberry: 1, Ingredient.wheat_flour: 1, Ingredient.sugar: 1, AnimalProduct.any_egg: 1} +blueberry_tart = friendship_recipe(Meal.blueberry_tart, NPC.pierre, 3, blueberry_tart_ingredients) bread = queen_of_sauce_recipe(Meal.bread, 1, Season.summer, 28, {Ingredient.wheat_flour: 1}) +bruschetta = queen_of_sauce_recipe(Meal.bruschetta, 2, Season.winter, 21, {Meal.bread: 1, Ingredient.oil: 1, Vegetable.tomato: 1}) +carp_surprise = queen_of_sauce_recipe(Meal.carp_surprise, 2, Season.summer, 7, {Fish.carp: 4}) cheese_cauliflower = friendship_recipe(Meal.cheese_cauliflower, NPC.pam, 3, {Vegetable.cauliflower: 1, ArtisanGood.cheese: 1}) chocolate_cake_ingredients = {Ingredient.wheat_flour: 1, Ingredient.sugar: 1, AnimalProduct.chicken_egg: 1} chocolate_cake_qos = queen_of_sauce_recipe(Meal.chocolate_cake, 1, Season.winter, 14, chocolate_cake_ingredients) -chowder = friendship_recipe(Meal.chowder, NPC.willy, 3, {WaterItem.clam: 1, AnimalProduct.cow_milk: 1}) -complete_breakfast = queen_of_sauce_recipe(Meal.complete_breakfast, 2, Season.spring, 21, {Meal.fried_egg: 1, AnimalProduct.milk: 1, Meal.hashbrowns: 1, Meal.pancakes: 1}) +chowder = friendship_recipe(Meal.chowder, NPC.willy, 3, {Fish.clam: 1, AnimalProduct.cow_milk: 1}) +coleslaw = queen_of_sauce_recipe(Meal.coleslaw, 14, Season.spring, 14, {Vegetable.red_cabbage: 1, Ingredient.vinegar: 1, ArtisanGood.mayonnaise: 1}) +complete_breakfast_ingredients = {Meal.fried_egg: 1, AnimalProduct.milk: 1, Meal.hashbrowns: 1, Meal.pancakes: 1} +complete_breakfast = queen_of_sauce_recipe(Meal.complete_breakfast, 2, Season.spring, 21, complete_breakfast_ingredients) +cookie = friendship_recipe(Meal.cookie, NPC.evelyn, 4, {Ingredient.wheat_flour: 1, Ingredient.sugar: 1, AnimalProduct.chicken_egg: 1}) crab_cakes_ingredients = {Fish.crab: 1, Ingredient.wheat_flour: 1, AnimalProduct.chicken_egg: 1, Ingredient.oil: 1} crab_cakes_qos = queen_of_sauce_recipe(Meal.crab_cakes, 2, Season.fall, 21, crab_cakes_ingredients) cranberry_candy = queen_of_sauce_recipe(Meal.cranberry_candy, 1, Season.winter, 28, {Fruit.cranberries: 1, Fruit.apple: 1, Ingredient.sugar: 1}) +cranberry_sauce = friendship_recipe(Meal.cranberry_sauce, NPC.gus, 7, {Fruit.cranberries: 1, Ingredient.sugar: 1}) crispy_bass = friendship_recipe(Meal.crispy_bass, NPC.kent, 3, {Fish.largemouth_bass: 1, Ingredient.wheat_flour: 1, Ingredient.oil: 1}) dish_o_the_sea = skill_recipe(Meal.dish_o_the_sea, Skill.fishing, 3, {Fish.sardine: 2, Meal.hashbrowns: 1}) eggplant_parmesan = friendship_recipe(Meal.eggplant_parmesan, NPC.lewis, 7, {Vegetable.eggplant: 1, Vegetable.tomato: 1}) escargot = friendship_recipe(Meal.escargot, NPC.willy, 5, {Fish.snail: 1, Vegetable.garlic: 1}) farmer_lunch = skill_recipe(Meal.farmer_lunch, Skill.farming, 3, {Meal.omelet: 2, Vegetable.parsnip: 1}) fiddlehead_risotto = queen_of_sauce_recipe(Meal.fiddlehead_risotto, 2, Season.fall, 28, {Ingredient.oil: 1, Forageable.fiddlehead_fern: 1, Vegetable.garlic: 1}) +fish_stew = friendship_recipe(Meal.fish_stew, NPC.willy, 7, {Fish.crayfish: 1, Fish.mussel: 1, Fish.periwinkle: 1, Vegetable.tomato: 1}) fish_taco = friendship_recipe(Meal.fish_taco, NPC.linus, 7, {Fish.tuna: 1, Meal.tortilla: 1, Vegetable.red_cabbage: 1, ArtisanGood.mayonnaise: 1}) fried_calamari = friendship_recipe(Meal.fried_calamari, NPC.jodi, 3, {Fish.squid: 1, Ingredient.wheat_flour: 1, Ingredient.oil: 1}) fried_eel = friendship_recipe(Meal.fried_eel, NPC.george, 3, {Fish.eel: 1, Ingredient.oil: 1}) @@ -145,7 +122,12 @@ def create_recipe(name: str, ingredients: Dict[str, int], source: RecipeSource) glazed_yams = queen_of_sauce_recipe(Meal.glazed_yams, 1, Season.fall, 21, {Vegetable.yam: 1, Ingredient.sugar: 1}) hashbrowns = queen_of_sauce_recipe(Meal.hashbrowns, 2, Season.spring, 14, {Vegetable.potato: 1, Ingredient.oil: 1}) ice_cream = friendship_recipe(Meal.ice_cream, NPC.jodi, 7, {AnimalProduct.cow_milk: 1, Ingredient.sugar: 1}) +lobster_bisque_ingredients = {Fish.lobster: 1, AnimalProduct.cow_milk: 1} +lobster_bisque_friend = friendship_recipe(Meal.lobster_bisque, NPC.willy, 9, lobster_bisque_ingredients) +lobster_bisque_qos = queen_of_sauce_recipe(Meal.lobster_bisque, 2, Season.winter, 14, lobster_bisque_ingredients) +lucky_lunch = queen_of_sauce_recipe(Meal.lucky_lunch, 2, Season.spring, 28, {Fish.sea_cucumber: 1, Meal.tortilla: 1, Flower.blue_jazz: 1}) maki_roll = queen_of_sauce_recipe(Meal.maki_roll, 1, Season.summer, 21, {Fish.any: 1, WaterItem.seaweed: 1, Ingredient.rice: 1}) +mango_sticky_rice = friendship_recipe(Meal.mango_sticky_rice, NPC.leo, 7, {Fruit.mango: 1, Forageable.coconut: 1, Ingredient.rice: 1}) maple_bar = queen_of_sauce_recipe(Meal.maple_bar, 2, Season.summer, 14, {ArtisanGood.maple_syrup: 1, Ingredient.sugar: 1, Ingredient.wheat_flour: 1}) miners_treat = skill_recipe(Meal.miners_treat, Skill.mining, 3, {Forageable.cave_carrot: 2, Ingredient.sugar: 1, AnimalProduct.cow_milk: 1}) omelet = queen_of_sauce_recipe(Meal.omelet, 1, Season.spring, 28, {AnimalProduct.chicken_egg: 1, AnimalProduct.cow_milk: 1}) @@ -159,9 +141,12 @@ def create_recipe(name: str, ingredients: Dict[str, int], source: RecipeSource) pizza_qos = queen_of_sauce_recipe(Meal.pizza, 2, Season.spring, 7, pizza_ingredients) pizza_saloon = shop_recipe(Meal.pizza, Region.saloon, 150, pizza_ingredients) plum_pudding = queen_of_sauce_recipe(Meal.plum_pudding, 1, Season.winter, 7, {Forageable.wild_plum: 2, Ingredient.wheat_flour: 1, Ingredient.sugar: 1}) +poi = friendship_recipe(Meal.poi, NPC.leo, 3, {Vegetable.taro_root: 4}) poppyseed_muffin = queen_of_sauce_recipe(Meal.poppyseed_muffin, 2, Season.winter, 7, {Flower.poppy: 1, Ingredient.wheat_flour: 1, Ingredient.sugar: 1}) pumpkin_pie_ingredients = {Vegetable.pumpkin: 1, Ingredient.wheat_flour: 1, Ingredient.sugar: 1, AnimalProduct.cow_milk: 1} pumpkin_pie_qos = queen_of_sauce_recipe(Meal.pumpkin_pie, 1, Season.winter, 21, pumpkin_pie_ingredients) +pumpkin_soup = friendship_recipe(Meal.pumpkin_soup, NPC.robin, 7, {Vegetable.pumpkin: 1, AnimalProduct.cow_milk: 1}) +radish_salad = queen_of_sauce_recipe(Meal.radish_salad, 1, Season.spring, 21, {Ingredient.oil: 1, Ingredient.vinegar: 1, Vegetable.radish: 1}) red_plate = friendship_recipe(Meal.red_plate, NPC.emily, 7, {Vegetable.red_cabbage: 1, Vegetable.radish: 1}) rhubarb_pie = friendship_recipe(Meal.rhubarb_pie, NPC.marnie, 7, {Fruit.rhubarb: 1, Ingredient.wheat_flour: 1, Ingredient.sugar: 1}) rice_pudding = friendship_recipe(Meal.rice_pudding, NPC.evelyn, 7, {AnimalProduct.milk: 1, Ingredient.sugar: 1, Ingredient.rice: 1}) @@ -170,21 +155,59 @@ def create_recipe(name: str, ingredients: Dict[str, int], source: RecipeSource) salad = friendship_recipe(Meal.salad, NPC.emily, 3, {Forageable.leek: 1, Forageable.dandelion: 1, Ingredient.vinegar: 1}) salmon_dinner = friendship_recipe(Meal.salmon_dinner, NPC.gus, 3, {Fish.salmon: 1, Vegetable.amaranth: 1, Vegetable.kale: 1}) sashimi = friendship_recipe(Meal.sashimi, NPC.linus, 3, {Fish.any: 1}) +seafoam_pudding = skill_recipe(Meal.seafoam_pudding, Skill.fishing, 9, {Fish.flounder: 1, Fish.midnight_carp: 1, AnimalProduct.squid_ink: 1}) +shrimp_cocktail = queen_of_sauce_recipe(Meal.shrimp_cocktail, 2, Season.winter, 28, {Vegetable.tomato: 1, Fish.shrimp: 1, Forageable.wild_horseradish: 1}) spaghetti = friendship_recipe(Meal.spaghetti, NPC.lewis, 3, {Vegetable.tomato: 1, Ingredient.wheat_flour: 1}) +spicy_eel = friendship_recipe(Meal.spicy_eel, NPC.george, 7, {Fish.eel: 1, Fruit.hot_pepper: 1}) +squid_ink_ravioli = skill_recipe(Meal.squid_ink_ravioli, Skill.combat, 9, {AnimalProduct.squid_ink: 1, Ingredient.wheat_flour: 1, Vegetable.tomato: 1}) stir_fry_ingredients = {Forageable.cave_carrot: 1, Forageable.common_mushroom: 1, Vegetable.kale: 1, Ingredient.sugar: 1} stir_fry_qos = queen_of_sauce_recipe(Meal.stir_fry, 1, Season.spring, 7, stir_fry_ingredients) +strange_bun = friendship_recipe(Meal.strange_bun, NPC.shane, 7, {Ingredient.wheat_flour: 1, Fish.periwinkle: 1, ArtisanGood.void_mayonnaise: 1}) stuffing = friendship_recipe(Meal.stuffing, NPC.pam, 7, {Meal.bread: 1, Fruit.cranberries: 1, Forageable.hazelnut: 1}) +super_meal = friendship_recipe(Meal.super_meal, NPC.kent, 7, {Vegetable.bok_choy: 1, Fruit.cranberries: 1, Vegetable.artichoke: 1}) survival_burger = skill_recipe(Meal.survival_burger, Skill.foraging, 2, {Meal.bread: 1, Forageable.cave_carrot: 1, Vegetable.eggplant: 1}) +tom_kha_soup = friendship_recipe(Meal.tom_kha_soup, NPC.sandy, 7, {Forageable.coconut: 1, Fish.shrimp: 1, Forageable.common_mushroom: 1}) tortilla_ingredients = {Vegetable.corn: 1} tortilla_qos = queen_of_sauce_recipe(Meal.tortilla, 1, Season.fall, 7, tortilla_ingredients) tortilla_saloon = shop_recipe(Meal.tortilla, Region.saloon, 100, tortilla_ingredients) triple_shot_espresso = shop_recipe(Beverage.triple_shot_espresso, Region.saloon, 5000, {Beverage.coffee: 3}) tropical_curry = shop_recipe(Meal.tropical_curry, Region.island_resort, 2000, {Forageable.coconut: 1, Fruit.pineapple: 1, Fruit.hot_pepper: 1}) +trout_soup = queen_of_sauce_recipe(Meal.trout_soup, 1, Season.fall, 14, {Fish.rainbow_trout: 1, WaterItem.green_algae: 1}) vegetable_medley = friendship_recipe(Meal.vegetable_medley, NPC.caroline, 7, {Vegetable.tomato: 1, Vegetable.beet: 1}) - - - - - - +magic_elixir = shop_recipe(ModEdible.magic_elixir, Region.adventurer_guild, 3000, {Edible.life_elixir: 1, Forageable.purple_mushroom: 1}, ModNames.magic) + +baked_berry_oatmeal = shop_recipe(SVEMeal.baked_berry_oatmeal, SVERegion.bear_shop, 0, {Forageable.salmonberry: 15, Forageable.blackberry: 15, + Ingredient.sugar: 1, Ingredient.wheat_flour: 2}, ModNames.sve) +big_bark_burger = friendship_and_shop_recipe(SVEMeal.big_bark_burger, NPC.gus, 5, Region.saloon, 5500, + {SVEFish.puppyfish: 1, Meal.bread: 1, Ingredient.oil: 1}, ModNames.sve) +flower_cookie = shop_recipe(SVEMeal.flower_cookie, SVERegion.bear_shop, 0, {SVEForage.ferngill_primrose: 1, SVEForage.goldenrod: 1, + SVEForage.winter_star_rose: 1, Ingredient.wheat_flour: 1, Ingredient.sugar: 1, + AnimalProduct.large_egg: 1}, ModNames.sve) +frog_legs = shop_recipe(SVEMeal.frog_legs, Region.adventurer_guild, 2000, {SVEFish.frog: 1, Ingredient.oil: 1, Ingredient.wheat_flour: 1}, ModNames.sve) +glazed_butterfish = friendship_and_shop_recipe(SVEMeal.glazed_butterfish, NPC.gus, 10, Region.saloon, 4000, + {SVEFish.butterfish: 1, Ingredient.wheat_flour: 1, Ingredient.oil: 1}, ModNames.sve) +mixed_berry_pie = shop_recipe(SVEMeal.mixed_berry_pie, Region.saloon, 3500, {Fruit.strawberry: 6, SVEFruit.salal_berry: 6, Forageable.blackberry: 6, + SVEForage.bearberrys: 6, Ingredient.sugar: 1, Ingredient.wheat_flour: 1}, + ModNames.sve) +mushroom_berry_rice = friendship_and_shop_recipe(SVEMeal.mushroom_berry_rice, ModNPC.marlon, 6, Region.adventurer_guild, 1500, {SVEForage.poison_mushroom: 3, SVEForage.red_baneberry: 10, + Ingredient.rice: 1, Ingredient.sugar: 2}, ModNames.sve) +seaweed_salad = shop_recipe(SVEMeal.seaweed_salad, Region.fish_shop, 1250, {SVEFish.dulse_seaweed: 2, WaterItem.seaweed: 2, Ingredient.oil: 1}, ModNames.sve) +void_delight = friendship_and_shop_recipe(SVEMeal.void_delight, NPC.krobus, 10, Region.sewer, 5000, + {SVEFish.void_eel: 1, Loot.void_essence: 50, Loot.solar_essence: 20}, ModNames.sve) +void_salmon_sushi = friendship_and_shop_recipe(SVEMeal.void_salmon_sushi, NPC.krobus, 10, Region.sewer, 5000, + {Fish.void_salmon: 1, ArtisanGood.void_mayonnaise: 1, WaterItem.seaweed: 3}, ModNames.sve) + +mushroom_kebab = friendship_recipe(DistantLandsMeal.mushroom_kebab, ModNPC.goblin, 2, {Forageable.chanterelle: 1, Forageable.common_mushroom: 1, + Forageable.red_mushroom: 1, Material.wood: 1}, ModNames.distant_lands) +void_mint_tea = friendship_recipe(DistantLandsMeal.void_mint_tea, ModNPC.goblin, 4, {DistantLandsCrop.void_mint: 1}, ModNames.distant_lands) +crayfish_soup = friendship_recipe(DistantLandsMeal.crayfish_soup, ModNPC.goblin, 6, {Forageable.cave_carrot: 1, Fish.crayfish: 1, + DistantLandsFish.purple_algae: 1, WaterItem.white_algae: 1}, ModNames.distant_lands) +pemmican = friendship_recipe(DistantLandsMeal.pemmican, ModNPC.goblin, 8, {Loot.bug_meat: 1, Fish.any: 1, Forageable.salmonberry: 3, + Material.stone: 2}, ModNames.distant_lands) + +special_pumpkin_soup = friendship_recipe(BoardingHouseMeal.special_pumpkin_soup, ModNPC.joel, 6, {Vegetable.pumpkin: 2, AnimalProduct.large_goat_milk: 1, + Vegetable.garlic: 1}, ModNames.boarding_house) + + +all_cooking_recipes_by_name = {recipe.meal: recipe for recipe in all_cooking_recipes} \ No newline at end of file diff --git a/worlds/stardew_valley/data/recipe_source.py b/worlds/stardew_valley/data/recipe_source.py new file mode 100644 index 000000000000..8dd622e926e7 --- /dev/null +++ b/worlds/stardew_valley/data/recipe_source.py @@ -0,0 +1,149 @@ +from typing import Union, List, Tuple + + +class RecipeSource: + + def __repr__(self): + return f"RecipeSource" + + +class StarterSource(RecipeSource): + + def __repr__(self): + return f"StarterSource" + + +class ArchipelagoSource(RecipeSource): + ap_item: Tuple[str] + + def __init__(self, ap_item: Union[str, List[str]]): + if isinstance(ap_item, str): + ap_item = [ap_item] + self.ap_item = tuple(ap_item) + + def __repr__(self): + return f"ArchipelagoSource {self.ap_item}" + + +class LogicSource(RecipeSource): + logic_rule: str + + def __init__(self, logic_rule: str): + self.logic_rule = logic_rule + + def __repr__(self): + return f"LogicSource {self.logic_rule}" + + +class QueenOfSauceSource(RecipeSource): + year: int + season: str + day: int + + def __init__(self, year: int, season: str, day: int): + self.year = year + self.season = season + self.day = day + + def __repr__(self): + return f"QueenOfSauceSource at year {self.year} {self.season} {self.day}" + + +class QuestSource(RecipeSource): + quest: str + + def __init__(self, quest: str): + self.quest = quest + + def __repr__(self): + return f"QuestSource at quest {self.quest}" + + +class FriendshipSource(RecipeSource): + friend: str + hearts: int + + def __init__(self, friend: str, hearts: int): + self.friend = friend + self.hearts = hearts + + def __repr__(self): + return f"FriendshipSource at {self.friend} {self.hearts} <3" + + +class CutsceneSource(FriendshipSource): + region: str + + def __init__(self, region: str, friend: str, hearts: int): + super().__init__(friend, hearts) + self.region = region + + def __repr__(self): + return f"CutsceneSource at {self.region}" + + +class SkillSource(RecipeSource): + skill: str + level: int + + def __init__(self, skill: str, level: int): + self.skill = skill + self.level = level + + def __repr__(self): + return f"SkillSource at level {self.level} {self.skill}" + + +class ShopSource(RecipeSource): + region: str + price: int + + def __init__(self, region: str, price: int): + self.region = region + self.price = price + + def __repr__(self): + return f"ShopSource at {self.region} costing {self.price}g" + + +class ShopFriendshipSource(RecipeSource): + friend: str + hearts: int + region: str + price: int + + def __init__(self, friend: str, hearts: int, region: str, price: int): + self.friend = friend + self.hearts = hearts + self.region = region + self.price = price + + def __repr__(self): + return f"ShopFriendshipSource at {self.region} costing {self.price}g when {self.friend} has {self.hearts} hearts" + + +class FestivalShopSource(ShopSource): + + def __init__(self, region: str, price: int): + super().__init__(region, price) + + +class ShopTradeSource(ShopSource): + currency: str + + def __init__(self, region: str, currency: str, price: int): + super().__init__(region, price) + self.currency = currency + + def __repr__(self): + return f"ShopTradeSource at {self.region} costing {self.price} {self.currency}" + + +class SpecialOrderSource(RecipeSource): + special_order: str + + def __init__(self, special_order: str): + self.special_order = special_order + + def __repr__(self): + return f"SpecialOrderSource from {self.special_order}" diff --git a/worlds/stardew_valley/data/shipsanity_unimplemented_items.csv b/worlds/stardew_valley/data/shipsanity_unimplemented_items.csv new file mode 100644 index 000000000000..e69de29bb2d1 diff --git a/worlds/stardew_valley/data/villagers_data.py b/worlds/stardew_valley/data/villagers_data.py index e858d46f34a3..e2479fe0440f 100644 --- a/worlds/stardew_valley/data/villagers_data.py +++ b/worlds/stardew_valley/data/villagers_data.py @@ -1,7 +1,10 @@ from dataclasses import dataclass -from typing import List, Tuple, Optional, Dict -from ..strings.region_names import Region +from typing import List, Tuple, Optional, Dict, Callable, Set + +from ..strings.food_names import Beverage +from ..strings.region_names import Region, SVERegion, AlectoRegion, BoardingHouseRegion, LaceyRegion from ..mods.mod_data import ModNames +from ..strings.generic_names import Generic from ..strings.season_names import Season from ..strings.villager_names import NPC, ModNPC @@ -14,7 +17,7 @@ class Villager: birthday: str gifts: Tuple[str] available: bool - mod_name: Optional[str] + mod_name: str def __repr__(self): return f"{self.name} [Bachelor: {self.bachelor}] [Available from start: {self.available}]" \ @@ -41,6 +44,23 @@ def __repr__(self): secret_woods = (Region.secret_woods,) wizard_tower = (Region.wizard_tower,) +# Stardew Valley Expanded Locations +adventurer = (Region.adventurer_guild,) +highlands = (SVERegion.highlands_outside,) +bluemoon = (SVERegion.blue_moon_vineyard,) +aurora = (SVERegion.aurora_vineyard,) +museum = (Region.museum,) +jojamart = (Region.jojamart,) +railroad = (Region.railroad,) +junimo = (SVERegion.junimo_woods,) + +# Stray Locations +witch_swamp = (Region.witch_swamp,) +witch_attic = (AlectoRegion.witch_attic,) +hat_house = (LaceyRegion.hat_house,) +the_lost_valley = (BoardingHouseRegion.the_lost_valley,) +boarding_house = (BoardingHouseRegion.boarding_house_first,) + golden_pumpkin = ("Golden Pumpkin",) # magic_rock_candy = ("Magic Rock Candy",) pearl = ("Pearl",) @@ -183,7 +203,7 @@ def __repr__(self): pale_ale = ("Pale Ale",) parsnip = ("Parsnip",) # parsnip_soup = ("Parsnip Soup",) -pina_colada = ("Piña Colada",) +pina_colada = (Beverage.pina_colada,) pam_loves = beer + cactus_fruit + glazed_yams + mead + pale_ale + parsnip + pina_colada # | parsnip_soup # fried_calamari = ("Fried Calamari",) pierre_loves = () # fried_calamari @@ -271,8 +291,72 @@ def __repr__(self): juna_loves = ancient_doll + elvish_jewelry + dinosaur_egg + strange_doll + joja_cola + hashbrowns + pancakes + \ pink_cake + jelly + ghost_crystal + prehistoric_scapula + cherry +glazed_butterfish = ("Glazed Butterfish",) +aged_blue_moon_wine = ("Aged Blue Moon Wine",) +blue_moon_wine = ("Blue Moon Wine",) +daggerfish = ("Daggerfish",) +gemfish = ("Gemfish",) +green_mushroom = ("Green Mushroom",) +monster_mushroom = ("Monster Mushroom",) +swirl_stone = ("Swirl Stone",) +torpedo_trout = ("Torpedo Trout",) +void_shard = ("Void Shard",) +ornate_treasure_chest = ("Ornate Treasure Chest",) +frog_legs = ("Frog Legs",) +void_delight = ("Void Delight",) +void_pebble = ("Void Pebble",) +void_salmon_sushi = ("Void Salmon Sushi",) +puppyfish = ("Puppyfish",) +butterfish = ("Butterfish",) +king_salmon = ("King Salmon",) +frog = ("Frog",) +kittyfish = ("Kittyfish",) +big_bark_burger = ("Big Bark Burger",) +starfruit = ("Starfruit",) +bruschetta = ("Brushetta",) +apricot = ("Apricot",) +ocean_stone = ("Ocean Stone",) +fairy_stone = ("Fairy Stone",) +lunarite = ("Lunarite",) +bean_hotpot = ("Bean Hotpot",) +petrified_slime = ("Petrified Slime",) +ornamental_fan = ("Ornamental Fan",) +ancient_sword = ("Ancient Sword",) +star_shards = ("Star Shards",) +life_elixir = ("Life Elixir",) +juice = ("Juice",) +lobster_bisque = ("Lobster Bisque",) +chowder = ("Chowder",) +goat_milk = ("Goat Milk",) +maple_syrup = ("Maple Syrup",) +cookie = ("Cookie",) +blueberry_tart = ("Blueberry Tart",) + +claire_loves = green_tea + sunflower + energy_tonic + bruschetta + apricot + ocean_stone + glazed_butterfish +lance_loves = aged_blue_moon_wine + daggerfish + gemfish + golden_pumpkin + \ + green_mushroom + monster_mushroom + swirl_stone + torpedo_trout + tropical_curry + void_shard + \ + ornate_treasure_chest +olivia_loves = wine + chocolate_cake + pink_cake + golden_mask + golden_relic + \ + blue_moon_wine + aged_blue_moon_wine +sophia_loves = fairy_rose + fairy_stone + puppyfish +victor_loves = spaghetti + battery_pack + duck_feather + lunarite + \ + aged_blue_moon_wine + blue_moon_wine + butterfish +andy_loves = pearl + beer + mead + pale_ale + farmers_lunch + glazed_butterfish + butterfish + \ + king_salmon + blackberry_cobbler +gunther_loves = bean_hotpot + petrified_slime + salmon_dinner + elvish_jewelry + ornamental_fan + \ + dinosaur_egg + rare_disc + ancient_sword + dwarvish_helm + dwarf_gadget + golden_mask + golden_relic + \ + star_shards +marlon_loves = roots_platter + life_elixir + aged_blue_moon_wine + void_delight +martin_loves = juice + ice_cream + big_bark_burger +morgan_loves = iridium_bar + void_egg + void_mayonnaise + frog + kittyfish +morris_loves = lobster_bisque + chowder + truffle_oil + star_shards + aged_blue_moon_wine +scarlett_loves = goat_cheese + duck_feather + goat_milk + cherry + maple_syrup + honey + \ + chocolate_cake + pink_cake + jade + glazed_yams # actually large milk but meh +susan_loves = pancakes + chocolate_cake + pink_cake + ice_cream + cookie + pumpkin_pie + rhubarb_pie + \ + blueberry_tart + blackberry_cobbler + cranberry_candy + red_plate all_villagers: List[Villager] = [] +villager_modifications_by_mod: Dict[str, Dict[str, Callable[[str, Villager], Villager]]] = {} def villager(name: str, bachelor: bool, locations: Tuple[str, ...], birthday: str, gifts: Tuple[str, ...], @@ -282,6 +366,18 @@ def villager(name: str, bachelor: bool, locations: Tuple[str, ...], birthday: st return npc +def make_bachelor(mod_name: str, npc: Villager): + if npc.mod_name: + mod_name = npc.mod_name + return Villager(npc.name, True, npc.locations, npc.birthday, npc.gifts, npc.available, mod_name) + + +def register_villager_modification(mod_name: str, npc: Villager, modification_function): + if mod_name not in villager_modifications_by_mod: + villager_modifications_by_mod[mod_name] = {} + villager_modifications_by_mod[mod_name][npc.name] = modification_function + + josh = villager(NPC.alex, True, town + alex_house, Season.summer, universal_loves + complete_breakfast + salmon_dinner, True) elliott = villager(NPC.elliott, True, town + beach + elliott_house, Season.fall, universal_loves + elliott_loves, True) harvey = villager(NPC.harvey, True, town + hospital, Season.winter, universal_loves + harvey_loves, True) @@ -329,10 +425,39 @@ def villager(name: str, bachelor: bool, locations: Tuple[str, ...], birthday: st wellwick = villager(ModNPC.wellwick, True, forest, Season.winter, universal_loves + wellwick_loves, True, ModNames.shiko) yoba = villager(ModNPC.yoba, False, secret_woods, Season.spring, universal_loves + yoba_loves, False, ModNames.yoba) riley = villager(ModNPC.riley, True, town, Season.spring, universal_loves, True, ModNames.riley) +zic = villager(ModNPC.goblin, False, witch_swamp, Season.fall, void_mayonnaise, False, ModNames.distant_lands) +alecto = villager(ModNPC.alecto, False, witch_attic, Generic.any, universal_loves, False, ModNames.alecto) +lacey = villager(ModNPC.lacey, True, forest, Season.spring, universal_loves, True, ModNames.lacey) + +# Boarding House Villagers +gregory = villager(ModNPC.gregory, True, the_lost_valley, Season.fall, universal_loves, False, ModNames.boarding_house) +sheila = villager(ModNPC.sheila, True, boarding_house, Season.spring, universal_loves, True, ModNames.boarding_house) +joel = villager(ModNPC.joel, False, boarding_house, Season.winter, universal_loves, True, ModNames.boarding_house) + +# SVE Villagers +claire = villager(ModNPC.claire, True, town + jojamart, Season.fall, universal_loves + claire_loves, True, ModNames.sve) +lance = villager(ModNPC.lance, True, adventurer + highlands + island, Season.spring, lance_loves, False, ModNames.sve) +mommy = villager(ModNPC.olivia, True, town, Season.spring, universal_loves_no_rabbit_foot + olivia_loves, True, ModNames.sve) +sophia = villager(ModNPC.sophia, True, bluemoon, Season.winter, universal_loves_no_rabbit_foot + sophia_loves, True, ModNames.sve) +victor = villager(ModNPC.victor, True, town, Season.summer, universal_loves + victor_loves, True, ModNames.sve) +andy = villager(ModNPC.andy, False, forest, Season.spring, universal_loves + andy_loves, True, ModNames.sve) +apples = villager(ModNPC.apples, False, aurora + junimo, Generic.any, starfruit, False, ModNames.sve) +gunther = villager(ModNPC.gunther, False, museum, Season.winter, universal_loves + gunther_loves, True, ModNames.jasper_sve) +martin = villager(ModNPC.martin, False, town + jojamart, Season.summer, universal_loves + martin_loves, True, ModNames.sve) +marlon = villager(ModNPC.marlon, False, adventurer, Season.winter, universal_loves + marlon_loves, False, ModNames.jasper_sve) +morgan = villager(ModNPC.morgan, False, forest, Season.fall, universal_loves_no_rabbit_foot + morgan_loves, False, ModNames.sve) +scarlett = villager(ModNPC.scarlett, False, bluemoon, Season.summer, universal_loves + scarlett_loves, False, ModNames.sve) +susan = villager(ModNPC.susan, False, railroad, Season.fall, universal_loves + susan_loves, False, ModNames.sve) +morris = villager(ModNPC.morris, False, jojamart, Season.spring, universal_loves + morris_loves, True, ModNames.sve) + +# Modified villagers; not included in all villagers + +register_villager_modification(ModNames.sve, wizard, make_bachelor) all_villagers_by_name: Dict[str, Villager] = {villager.name: villager for villager in all_villagers} all_villagers_by_mod: Dict[str, List[Villager]] = {} all_villagers_by_mod_by_name: Dict[str, Dict[str, Villager]] = {} + for npc in all_villagers: mod = npc.mod_name name = npc.name @@ -344,3 +469,28 @@ def villager(name: str, bachelor: bool, locations: Tuple[str, ...], birthday: st all_villagers_by_mod_by_name[mod] = {} all_villagers_by_mod_by_name[mod][name] = npc + +def villager_included_for_any_mod(npc: Villager, mods: Set[str]): + if not npc.mod_name: + return True + for mod in npc.mod_name.split(","): + if mod in mods: + return True + return False + + +def get_villagers_for_mods(mods: Set[str]) -> List[Villager]: + villagers_for_current_mods = [] + for npc in all_villagers: + if not villager_included_for_any_mod(npc, mods): + continue + modified_npc = npc + for active_mod in mods: + if (active_mod not in villager_modifications_by_mod or + npc.name not in villager_modifications_by_mod[active_mod]): + continue + modification = villager_modifications_by_mod[active_mod][npc.name] + modified_npc = modification(active_mod, modified_npc) + villagers_for_current_mods.append(modified_npc) + return villagers_for_current_mods + diff --git a/worlds/stardew_valley/early_items.py b/worlds/stardew_valley/early_items.py new file mode 100644 index 000000000000..78170f29fee7 --- /dev/null +++ b/worlds/stardew_valley/early_items.py @@ -0,0 +1,65 @@ +from random import Random + +from .options import BuildingProgression, StardewValleyOptions, BackpackProgression, ExcludeGingerIsland, SeasonRandomization, SpecialOrderLocations, \ + Monstersanity, ToolProgression, SkillProgression, Cooksanity, Chefsanity + +early_candidate_rate = 4 +always_early_candidates = ["Greenhouse", "Desert Obelisk", "Rusty Key"] +seasons = ["Spring", "Summer", "Fall", "Winter"] + + +def setup_early_items(multiworld, options: StardewValleyOptions, player: int, random: Random): + early_forced = [] + early_candidates = [] + early_candidates.extend(always_early_candidates) + + add_seasonal_candidates(early_candidates, options) + + if options.building_progression & BuildingProgression.option_progressive: + early_forced.append("Shipping Bin") + early_candidates.append("Progressive Coop") + early_candidates.append("Progressive Barn") + + if options.backpack_progression == BackpackProgression.option_early_progressive: + early_forced.append("Progressive Backpack") + + if options.tool_progression & ToolProgression.option_progressive: + early_forced.append("Progressive Fishing Rod") + early_forced.append("Progressive Pickaxe") + + if options.skill_progression == SkillProgression.option_progressive: + early_forced.append("Fishing Level") + + if options.quest_locations >= 0: + early_candidates.append("Magnifying Glass") + + if options.special_order_locations != SpecialOrderLocations.option_disabled: + early_candidates.append("Special Order Board") + + if options.cooksanity != Cooksanity.option_none | options.chefsanity & Chefsanity.option_queen_of_sauce: + early_candidates.append("The Queen of Sauce") + + if options.monstersanity == Monstersanity.option_none: + early_candidates.append("Progressive Weapon") + else: + early_candidates.append("Progressive Sword") + + if options.exclude_ginger_island == ExcludeGingerIsland.option_false: + early_candidates.append("Island Obelisk") + + early_forced.extend(random.sample(early_candidates, len(early_candidates) // early_candidate_rate)) + + for item_name in early_forced: + if item_name in multiworld.early_items[player]: + continue + multiworld.early_items[player][item_name] = 1 + + +def add_seasonal_candidates(early_candidates, options): + if options.season_randomization == SeasonRandomization.option_progressive: + early_candidates.extend(["Progressive Season"] * 3) + return + if options.season_randomization == SeasonRandomization.option_disabled: + return + + early_candidates.extend(seasons) diff --git a/worlds/stardew_valley/items.py b/worlds/stardew_valley/items.py index 1f0735f4aebc..46788f3f337a 100644 --- a/worlds/stardew_valley/items.py +++ b/worlds/stardew_valley/items.py @@ -8,11 +8,19 @@ from BaseClasses import Item, ItemClassification from . import data -from .data.villagers_data import all_villagers +from .data.villagers_data import get_villagers_for_mods from .mods.mod_data import ModNames -from .options import StardewValleyOptions, TrapItems, FestivalLocations, ExcludeGingerIsland, SpecialOrderLocations, SeasonRandomization, Cropsanity, Friendsanity, Museumsanity, \ - Fishsanity, BuildingProgression, SkillProgression, ToolProgression, ElevatorProgression, BackpackProgression, ArcadeMachineLocations +from .options import StardewValleyOptions, TrapItems, FestivalLocations, ExcludeGingerIsland, SpecialOrderLocations, SeasonRandomization, Cropsanity, \ + Friendsanity, Museumsanity, \ + Fishsanity, BuildingProgression, SkillProgression, ToolProgression, ElevatorProgression, BackpackProgression, ArcadeMachineLocations, Monstersanity, Goal, \ + Chefsanity, Craftsanity, BundleRandomization +from .strings.ap_names.ap_weapon_names import APWeapon from .strings.ap_names.buff_names import Buff +from .strings.ap_names.community_upgrade_names import CommunityUpgrade +from .strings.ap_names.event_names import Event +from .strings.ap_names.mods.mod_items import SVEQuestItem +from .strings.villager_names import NPC, ModNPC +from .strings.wallet_item_names import Wallet ITEM_CODE_OFFSET = 717000 @@ -25,21 +33,20 @@ class Group(enum.Enum): FRIENDSHIP_PACK = enum.auto() COMMUNITY_REWARD = enum.auto() TRASH = enum.auto() - MINES_FLOOR_10 = enum.auto() - MINES_FLOOR_20 = enum.auto() - MINES_FLOOR_50 = enum.auto() - MINES_FLOOR_60 = enum.auto() - MINES_FLOOR_80 = enum.auto() - MINES_FLOOR_90 = enum.auto() - MINES_FLOOR_110 = enum.auto() FOOTWEAR = enum.auto() HATS = enum.auto() RING = enum.auto() WEAPON = enum.auto() + WEAPON_GENERIC = enum.auto() + WEAPON_SWORD = enum.auto() + WEAPON_CLUB = enum.auto() + WEAPON_DAGGER = enum.auto() + WEAPON_SLINGSHOT = enum.auto() PROGRESSIVE_TOOLS = enum.auto() SKILL_LEVEL_UP = enum.auto() + BUILDING = enum.auto() + WIZARD_BUILDING = enum.auto() ARCADE_MACHINE_BUFFS = enum.auto() - GALAXY_WEAPONS = enum.auto() BASE_RESOURCE = enum.auto() WARP_TOTEM = enum.auto() GEODE = enum.auto() @@ -65,7 +72,17 @@ class Group(enum.Enum): GINGER_ISLAND = enum.auto() WALNUT_PURCHASE = enum.auto() TV_CHANNEL = enum.auto() + QI_CRAFTING_RECIPE = enum.auto() + CHEFSANITY = enum.auto() + CHEFSANITY_STARTER = enum.auto() + CHEFSANITY_QOS = enum.auto() + CHEFSANITY_PURCHASE = enum.auto() + CHEFSANITY_FRIENDSHIP = enum.auto() + CHEFSANITY_SKILL = enum.auto() + CRAFTSANITY = enum.auto() + # Mods MAGIC_SPELL = enum.auto() + MOD_WARP = enum.auto() @dataclass(frozen=True) @@ -90,7 +107,7 @@ def has_any_group(self, *group: Group) -> bool: class StardewItemFactory(Protocol): - def __call__(self, name: Union[str, ItemData]) -> Item: + def __call__(self, name: Union[str, ItemData], override_classification: ItemClassification = None) -> Item: raise NotImplementedError @@ -113,8 +130,11 @@ def load_item_csv(): events = [ - ItemData(None, "Victory", ItemClassification.progression), - ItemData(None, "Month End", ItemClassification.progression), + ItemData(None, Event.victory, ItemClassification.progression), + ItemData(None, Event.can_construct_buildings, ItemClassification.progression), + ItemData(None, Event.start_dark_talisman_quest, ItemClassification.progression), + ItemData(None, Event.can_ship_items, ItemClassification.progression), + ItemData(None, Event.can_shop_at_pierre, ItemClassification.progression), ] all_items: List[ItemData] = load_item_csv() + events @@ -138,16 +158,19 @@ def initialize_item_table(): initialize_groups() +def get_too_many_items_error_message(locations_count: int, items_count: int) -> str: + return f"There should be at least as many locations [{locations_count}] as there are mandatory items [{items_count}]" + + def create_items(item_factory: StardewItemFactory, locations_count: int, items_to_exclude: List[Item], options: StardewValleyOptions, random: Random) -> List[Item]: items = [] unique_items = create_unique_items(item_factory, options, random) - for item in items_to_exclude: - if item in unique_items: - unique_items.remove(item) + remove_items(items_to_exclude, unique_items) + + remove_items_if_no_room_for_them(unique_items, locations_count, random) - assert len(unique_items) <= locations_count, f"There should be at least as many locations [{locations_count}] as there are mandatory items [{len(unique_items)}]" items += unique_items logger.debug(f"Created {len(unique_items)} unique items") @@ -162,38 +185,66 @@ def create_items(item_factory: StardewItemFactory, locations_count: int, items_t return items +def remove_items(items_to_remove, items): + for item in items_to_remove: + if item in items: + items.remove(item) + + +def remove_items_if_no_room_for_them(unique_items: List[Item], locations_count: int, random: Random): + if len(unique_items) <= locations_count: + return + + number_of_items_to_remove = len(unique_items) - locations_count + removable_items = [item for item in unique_items if item.classification == ItemClassification.filler or item.classification == ItemClassification.trap] + if len(removable_items) < number_of_items_to_remove: + logger.debug(f"Player has more items than locations, trying to remove {number_of_items_to_remove} random non-progression items") + removable_items = [item for item in unique_items if not item.classification & ItemClassification.progression] + else: + logger.debug(f"Player has more items than locations, trying to remove {number_of_items_to_remove} random filler items") + assert len(removable_items) >= number_of_items_to_remove, get_too_many_items_error_message(locations_count, len(unique_items)) + items_to_remove = random.sample(removable_items, number_of_items_to_remove) + remove_items(items_to_remove, unique_items) + + def create_unique_items(item_factory: StardewItemFactory, options: StardewValleyOptions, random: Random) -> List[Item]: items = [] items.extend(item_factory(item) for item in items_by_group[Group.COMMUNITY_REWARD]) + items.append(item_factory(CommunityUpgrade.movie_theater)) # It is a community reward, but we need two of them create_backpack_items(item_factory, options, items) - create_mine_rewards(item_factory, items, random) + create_weapons(item_factory, options, items) + items.append(item_factory("Skull Key")) create_elevators(item_factory, options, items) create_tools(item_factory, options, items) create_skills(item_factory, options, items) create_wizard_buildings(item_factory, options, items) create_carpenter_buildings(item_factory, options, items) + items.append(item_factory("Railroad Boulder Removed")) + items.append(item_factory(CommunityUpgrade.fruit_bats)) + items.append(item_factory(CommunityUpgrade.mushroom_boxes)) items.append(item_factory("Beach Bridge")) - items.append(item_factory("Dark Talisman")) create_tv_channels(item_factory, items) - create_special_quest_rewards(item_factory, items) + create_special_quest_rewards(item_factory, options, items) create_stardrops(item_factory, options, items) create_museum_items(item_factory, options, items) create_arcade_machine_items(item_factory, options, items) - items.append(item_factory(random.choice(items_by_group[Group.GALAXY_WEAPONS]))) create_player_buffs(item_factory, options, items) create_traveling_merchant_items(item_factory, items) items.append(item_factory("Return Scepter")) create_seasons(item_factory, options, items) create_seeds(item_factory, options, items) - create_friendsanity_items(item_factory, options, items) + create_friendsanity_items(item_factory, options, items, random) create_festival_rewards(item_factory, options, items) - create_babies(item_factory, items, random) create_special_order_board_rewards(item_factory, options, items) create_special_order_qi_rewards(item_factory, options, items) create_walnut_purchase_rewards(item_factory, options, items) + create_crafting_recipes(item_factory, options, items) + create_cooking_recipes(item_factory, options, items) create_magic_mod_spells(item_factory, options, items) + items.append(item_factory("Golden Egg")) + create_deepwoods_pendants(item_factory, options, items) return items @@ -206,18 +257,27 @@ def create_backpack_items(item_factory: StardewItemFactory, options: StardewVall items.append(item_factory("Progressive Backpack")) -def create_mine_rewards(item_factory: StardewItemFactory, items: List[Item], random: Random): - items.append(item_factory("Rusty Sword")) - items.append(item_factory(random.choice(items_by_group[Group.MINES_FLOOR_10]))) - items.append(item_factory(random.choice(items_by_group[Group.MINES_FLOOR_20]))) - items.append(item_factory("Slingshot")) - items.append(item_factory(random.choice(items_by_group[Group.MINES_FLOOR_50]))) - items.append(item_factory(random.choice(items_by_group[Group.MINES_FLOOR_60]))) - items.append(item_factory("Master Slingshot")) - items.append(item_factory(random.choice(items_by_group[Group.MINES_FLOOR_80]))) - items.append(item_factory(random.choice(items_by_group[Group.MINES_FLOOR_90]))) - items.append(item_factory(random.choice(items_by_group[Group.MINES_FLOOR_110]))) - items.append(item_factory("Skull Key")) +def create_weapons(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + weapons = weapons_count(options) + items.extend(item_factory(item) for item in [APWeapon.slingshot] * 2) + monstersanity = options.monstersanity + if monstersanity == Monstersanity.option_none: # Without monstersanity, might not be enough checks to split the weapons + items.extend(item_factory(item) for item in [APWeapon.weapon] * weapons) + items.extend(item_factory(item) for item in [APWeapon.footwear] * 3) # 1-2 | 3-4 | 6-7-8 + return + + items.extend(item_factory(item) for item in [APWeapon.sword] * weapons) + items.extend(item_factory(item) for item in [APWeapon.club] * weapons) + items.extend(item_factory(item) for item in [APWeapon.dagger] * weapons) + items.extend(item_factory(item) for item in [APWeapon.footwear] * 4) # 1-2 | 3-4 | 6-7-8 | 11-13 + if monstersanity == Monstersanity.option_goals or monstersanity == Monstersanity.option_one_per_category or \ + monstersanity == Monstersanity.option_short_goals or monstersanity == Monstersanity.option_very_short_goals: + return + if options.exclude_ginger_island == ExcludeGingerIsland.option_true: + rings_items = [item for item in items_by_group[Group.RING] if item.classification is not ItemClassification.filler] + else: + rings_items = [item for item in items_by_group[Group.RING]] + items.extend(item_factory(item) for item in rings_items) def create_elevators(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): @@ -232,8 +292,14 @@ def create_elevators(item_factory: StardewItemFactory, options: StardewValleyOpt def create_tools(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): - if options.tool_progression == ToolProgression.option_progressive: - items.extend(item_factory(item) for item in items_by_group[Group.PROGRESSIVE_TOOLS] * 4) + if options.tool_progression & ToolProgression.option_progressive: + for item_data in items_by_group[Group.PROGRESSIVE_TOOLS]: + name = item_data.name + if "Trash Can" in name: + items.extend([item_factory(item) for item in [item_data] * 3]) + items.append(item_factory(item_data, ItemClassification.useful)) + else: + items.extend([item_factory(item) for item in [item_data] * 4]) items.append(item_factory("Golden Scythe")) @@ -246,11 +312,12 @@ def create_skills(item_factory: StardewItemFactory, options: StardewValleyOption def create_wizard_buildings(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): - items.append(item_factory("Earth Obelisk")) - items.append(item_factory("Water Obelisk")) + useless_buildings_classification = ItemClassification.progression_skip_balancing if world_is_perfection(options) else ItemClassification.useful + items.append(item_factory("Earth Obelisk", useless_buildings_classification)) + items.append(item_factory("Water Obelisk", useless_buildings_classification)) items.append(item_factory("Desert Obelisk")) items.append(item_factory("Junimo Hut")) - items.append(item_factory("Gold Clock")) + items.append(item_factory("Gold Clock", useless_buildings_classification)) if options.exclude_ginger_island == ExcludeGingerIsland.option_false: items.append(item_factory("Island Obelisk")) if ModNames.deepwoods in options.mods: @@ -258,89 +325,107 @@ def create_wizard_buildings(item_factory: StardewItemFactory, options: StardewVa def create_carpenter_buildings(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): - if options.building_progression in {BuildingProgression.option_progressive, - BuildingProgression.option_progressive_early_shipping_bin}: - items.append(item_factory("Progressive Coop")) - items.append(item_factory("Progressive Coop")) - items.append(item_factory("Progressive Coop")) - items.append(item_factory("Progressive Barn")) - items.append(item_factory("Progressive Barn")) - items.append(item_factory("Progressive Barn")) - items.append(item_factory("Well")) - items.append(item_factory("Silo")) - items.append(item_factory("Mill")) - items.append(item_factory("Progressive Shed")) - items.append(item_factory("Progressive Shed")) - items.append(item_factory("Fish Pond")) - items.append(item_factory("Stable")) - items.append(item_factory("Slime Hutch")) - items.append(item_factory("Shipping Bin")) - items.append(item_factory("Progressive House")) - items.append(item_factory("Progressive House")) - items.append(item_factory("Progressive House")) - if ModNames.tractor in options.mods: - items.append(item_factory("Tractor Garage")) - - -def create_special_quest_rewards(item_factory: StardewItemFactory, items: List[Item]): - items.append(item_factory("Adventurer's Guild")) - items.append(item_factory("Club Card")) - items.append(item_factory("Magnifying Glass")) - items.append(item_factory("Bear's Knowledge")) - items.append(item_factory("Iridium Snake Milk")) + building_option = options.building_progression + if not building_option & BuildingProgression.option_progressive: + return + items.append(item_factory("Progressive Coop")) + items.append(item_factory("Progressive Coop")) + items.append(item_factory("Progressive Coop")) + items.append(item_factory("Progressive Barn")) + items.append(item_factory("Progressive Barn")) + items.append(item_factory("Progressive Barn")) + items.append(item_factory("Well")) + items.append(item_factory("Silo")) + items.append(item_factory("Mill")) + items.append(item_factory("Progressive Shed")) + items.append(item_factory("Progressive Shed", ItemClassification.useful)) + items.append(item_factory("Fish Pond")) + items.append(item_factory("Stable")) + items.append(item_factory("Slime Hutch")) + items.append(item_factory("Shipping Bin")) + items.append(item_factory("Progressive House")) + items.append(item_factory("Progressive House")) + items.append(item_factory("Progressive House")) + if ModNames.tractor in options.mods: + items.append(item_factory("Tractor Garage")) + + +def create_special_quest_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + if options.quest_locations < 0: + return + # items.append(item_factory("Adventurer's Guild")) # Now unlocked always! + items.append(item_factory(Wallet.club_card)) + items.append(item_factory(Wallet.magnifying_glass)) + if ModNames.sve in options.mods: + items.append(item_factory(Wallet.bears_knowledge)) + else: + items.append(item_factory(Wallet.bears_knowledge, ItemClassification.useful)) # Not necessary outside of SVE + items.append(item_factory(Wallet.iridium_snake_milk)) + items.append(item_factory("Fairy Dust Recipe")) + items.append(item_factory("Dark Talisman")) + create_special_quest_rewards_sve(item_factory, options, items) + create_distant_lands_quest_rewards(item_factory, options, items) + create_boarding_house_quest_rewards(item_factory, options, items) def create_stardrops(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): - items.append(item_factory("Stardrop")) # The Mines level 100 - items.append(item_factory("Stardrop")) # Old Master Cannoli + stardrops_classification = get_stardrop_classification(options) + items.append(item_factory("Stardrop", stardrops_classification)) # The Mines level 100 + items.append(item_factory("Stardrop", stardrops_classification)) # Old Master Cannoli + items.append(item_factory("Stardrop", stardrops_classification)) # Krobus Stardrop if options.fishsanity != Fishsanity.option_none: - items.append(item_factory("Stardrop")) #Master Angler Stardrop + items.append(item_factory("Stardrop", stardrops_classification)) # Master Angler Stardrop if ModNames.deepwoods in options.mods: - items.append(item_factory("Stardrop")) # Petting the Unicorn + items.append(item_factory("Stardrop", stardrops_classification)) # Petting the Unicorn + if options.friendsanity != Friendsanity.option_none: + items.append(item_factory("Stardrop", stardrops_classification)) # Spouse Stardrop def create_museum_items(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): - items.append(item_factory("Rusty Key")) - items.append(item_factory("Dwarvish Translation Guide")) + items.append(item_factory(Wallet.rusty_key)) + items.append(item_factory(Wallet.dwarvish_translation_guide)) items.append(item_factory("Ancient Seeds Recipe")) + items.append(item_factory("Stardrop", get_stardrop_classification(options))) if options.museumsanity == Museumsanity.option_none: return items.extend(item_factory(item) for item in ["Magic Rock Candy"] * 10) items.extend(item_factory(item) for item in ["Ancient Seeds"] * 5) items.extend(item_factory(item) for item in ["Traveling Merchant Metal Detector"] * 4) - items.append(item_factory("Stardrop")) -def create_friendsanity_items(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): +def create_friendsanity_items(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item], random: Random): + island_villagers = [NPC.leo, ModNPC.lance] if options.friendsanity == Friendsanity.option_none: return + create_babies(item_factory, items, random) exclude_non_bachelors = options.friendsanity == Friendsanity.option_bachelors exclude_locked_villagers = options.friendsanity == Friendsanity.option_starting_npcs or \ options.friendsanity == Friendsanity.option_bachelors include_post_marriage_hearts = options.friendsanity == Friendsanity.option_all_with_marriage exclude_ginger_island = options.exclude_ginger_island == ExcludeGingerIsland.option_true + mods = options.mods heart_size = options.friendsanity_heart_size - for villager in all_villagers: - if villager.mod_name not in options.mods and villager.mod_name is not None: - continue + for villager in get_villagers_for_mods(mods.value): if not villager.available and exclude_locked_villagers: continue if not villager.bachelor and exclude_non_bachelors: continue - if villager.name == "Leo" and exclude_ginger_island: + if villager.name in island_villagers and exclude_ginger_island: continue heart_cap = 8 if villager.bachelor else 10 if include_post_marriage_hearts and villager.bachelor: heart_cap = 14 + classification = ItemClassification.progression for heart in range(1, 15): if heart > heart_cap: break if heart % heart_size == 0 or heart == heart_cap: - items.append(item_factory(f"{villager.name} <3")) + items.append(item_factory(f"{villager.name} <3", classification)) if not exclude_non_bachelors: + need_pet = options.goal == Goal.option_grandpa_evaluation for heart in range(1, 6): if heart % heart_size == 0 or heart == 5: - items.append(item_factory(f"Pet <3")) + items.append(item_factory(f"Pet <3", ItemClassification.progression_skip_balancing if need_pet else ItemClassification.useful)) def create_babies(item_factory: StardewItemFactory, items: List[Item], random: Random): @@ -368,8 +453,19 @@ def create_arcade_machine_items(item_factory: StardewItemFactory, options: Stard def create_player_buffs(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): - items.extend(item_factory(item) for item in [Buff.movement] * options.movement_buff_number.value) - items.extend(item_factory(item) for item in [Buff.luck] * options.luck_buff_number.value) + movement_buffs: int = options.movement_buff_number.value + luck_buffs: int = options.luck_buff_number.value + need_all_buffs = options.special_order_locations == SpecialOrderLocations.option_board_qi + need_half_buffs = options.festival_locations == FestivalLocations.option_easy + create_player_buff(item_factory, Buff.movement, movement_buffs, need_all_buffs, need_half_buffs, items) + create_player_buff(item_factory, Buff.luck, luck_buffs, True, need_half_buffs, items) + + +def create_player_buff(item_factory, buff: str, amount: int, need_all_buffs: bool, need_half_buffs: bool, items: List[Item]): + progression_buffs = amount if need_all_buffs else (amount // 2 if need_half_buffs else 0) + useful_buffs = amount - progression_buffs + items.extend(item_factory(item) for item in [buff] * progression_buffs) + items.extend(item_factory(item, ItemClassification.useful) for item in [buff] * useful_buffs) def create_traveling_merchant_items(item_factory: StardewItemFactory, items: List[Item]): @@ -393,17 +489,19 @@ def create_seeds(item_factory: StardewItemFactory, options: StardewValleyOptions if options.cropsanity == Cropsanity.option_disabled: return - include_ginger_island = options.exclude_ginger_island != ExcludeGingerIsland.option_true - seed_items = [item_factory(item) for item in items_by_group[Group.CROPSANITY] if include_ginger_island or Group.GINGER_ISLAND not in item.groups] + base_seed_items = [item for item in items_by_group[Group.CROPSANITY]] + filtered_seed_items = remove_excluded_items(base_seed_items, options) + seed_items = [item_factory(item) for item in filtered_seed_items] items.extend(seed_items) def create_festival_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + items.append(item_factory("Deluxe Scarecrow Recipe")) if options.festival_locations == FestivalLocations.option_disabled: return - items.extend([*[item_factory(item) for item in items_by_group[Group.FESTIVAL] if item.classification != ItemClassification.filler], - item_factory("Stardrop")]) + festival_rewards = [item_factory(item) for item in items_by_group[Group.FESTIVAL] if item.classification != ItemClassification.filler] + items.extend([*festival_rewards, item_factory("Stardrop", get_stardrop_classification(options))]) def create_walnut_purchase_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): @@ -417,20 +515,39 @@ def create_walnut_purchase_rewards(item_factory: StardewItemFactory, options: St *[item_factory(item) for item in items_by_group[Group.WALNUT_PURCHASE]]]) - def create_special_order_board_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): if options.special_order_locations == SpecialOrderLocations.option_disabled: return - items.extend([item_factory(item) for item in items_by_group[Group.SPECIAL_ORDER_BOARD]]) + special_order_board_items = [item for item in items_by_group[Group.SPECIAL_ORDER_BOARD]] + + items.extend([item_factory(item) for item in special_order_board_items]) + + +def special_order_board_item_classification(item: ItemData, need_all_recipes: bool) -> ItemClassification: + if item.classification is ItemClassification.useful: + return ItemClassification.useful + if item.name == "Special Order Board": + return ItemClassification.progression + if need_all_recipes and "Recipe" in item.name: + return ItemClassification.progression_skip_balancing + if item.name == "Monster Musk Recipe": + return ItemClassification.progression_skip_balancing + return ItemClassification.useful def create_special_order_qi_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): - if (options.special_order_locations != SpecialOrderLocations.option_board_qi or - options.exclude_ginger_island == ExcludeGingerIsland.option_true): + if options.exclude_ginger_island == ExcludeGingerIsland.option_true: return - qi_gem_rewards = ["100 Qi Gems", "10 Qi Gems", "40 Qi Gems", "25 Qi Gems", "25 Qi Gems", - "40 Qi Gems", "20 Qi Gems", "50 Qi Gems", "40 Qi Gems", "35 Qi Gems"] + qi_gem_rewards = [] + if options.bundle_randomization >= BundleRandomization.option_remixed: + qi_gem_rewards.append("15 Qi Gems") + qi_gem_rewards.append("15 Qi Gems") + + if options.special_order_locations == SpecialOrderLocations.option_board_qi: + qi_gem_rewards.extend(["100 Qi Gems", "10 Qi Gems", "40 Qi Gems", "25 Qi Gems", "25 Qi Gems", + "40 Qi Gems", "20 Qi Gems", "50 Qi Gems", "40 Qi Gems", "35 Qi Gems"]) + qi_gem_items = [item_factory(reward) for reward in qi_gem_rewards] items.extend(qi_gem_items) @@ -439,6 +556,36 @@ def create_tv_channels(item_factory: StardewItemFactory, items: List[Item]): items.extend([item_factory(item) for item in items_by_group[Group.TV_CHANNEL]]) +def create_crafting_recipes(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + has_craftsanity = options.craftsanity == Craftsanity.option_all + crafting_recipes = [] + crafting_recipes.extend([recipe for recipe in items_by_group[Group.QI_CRAFTING_RECIPE]]) + if has_craftsanity: + crafting_recipes.extend([recipe for recipe in items_by_group[Group.CRAFTSANITY]]) + crafting_recipes = remove_excluded_items(crafting_recipes, options) + items.extend([item_factory(item) for item in crafting_recipes]) + + +def create_cooking_recipes(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + chefsanity = options.chefsanity + if chefsanity == Chefsanity.option_none: + return + + chefsanity_recipes_by_name = {recipe.name: recipe for recipe in items_by_group[Group.CHEFSANITY_STARTER]} # Dictionary to not make duplicates + + if chefsanity & Chefsanity.option_queen_of_sauce: + chefsanity_recipes_by_name.update({recipe.name: recipe for recipe in items_by_group[Group.CHEFSANITY_QOS]}) + if chefsanity & Chefsanity.option_purchases: + chefsanity_recipes_by_name.update({recipe.name: recipe for recipe in items_by_group[Group.CHEFSANITY_PURCHASE]}) + if chefsanity & Chefsanity.option_friendship: + chefsanity_recipes_by_name.update({recipe.name: recipe for recipe in items_by_group[Group.CHEFSANITY_FRIENDSHIP]}) + if chefsanity & Chefsanity.option_skills: + chefsanity_recipes_by_name.update({recipe.name: recipe for recipe in items_by_group[Group.CHEFSANITY_SKILL]}) + + filtered_chefsanity_recipes = remove_excluded_items(list(chefsanity_recipes_by_name.values()), options) + items.extend([item_factory(item) for item in filtered_chefsanity_recipes]) + + def create_filler_festival_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions) -> List[Item]: if options.festival_locations == FestivalLocations.option_disabled: return [] @@ -449,10 +596,42 @@ def create_filler_festival_rewards(item_factory: StardewItemFactory, options: St def create_magic_mod_spells(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): if ModNames.magic not in options.mods: - return [] + return items.extend([item_factory(item) for item in items_by_group[Group.MAGIC_SPELL]]) +def create_deepwoods_pendants(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + if ModNames.deepwoods not in options.mods: + return + items.extend([item_factory(item) for item in ["Pendant of Elders", "Pendant of Community", "Pendant of Depths"]]) + + +def create_special_quest_rewards_sve(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + if options.quest_locations < 0 or ModNames.sve not in options.mods: + return + exclude_ginger_island = options.exclude_ginger_island == ExcludeGingerIsland.option_true + items.extend([item_factory(item) for item in SVEQuestItem.sve_quest_items]) + items.extend([item_factory(item) for item in items_by_group[Group.MOD_WARP] if item.mod_name == ModNames.sve]) + if exclude_ginger_island: + return + items.extend([item_factory(item) for item in SVEQuestItem.sve_quest_items_ginger_island]) + + +def create_distant_lands_quest_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + if options.quest_locations < 0 or ModNames.distant_lands not in options.mods: + return + items.append(item_factory("Crayfish Soup Recipe")) + if options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return + items.append(item_factory("Ginger Tincture Recipe")) + + +def create_boarding_house_quest_rewards(item_factory: StardewItemFactory, options: StardewValleyOptions, items: List[Item]): + if options.quest_locations < 0 or ModNames.boarding_house not in options.mods: + return + items.append(item_factory("Special Pumpkin Soup Recipe")) + + def create_unique_filler_items(item_factory: StardewItemFactory, options: StardewValleyOptions, random: Random, available_item_slots: int) -> List[Item]: items = [] @@ -464,6 +643,13 @@ def create_unique_filler_items(item_factory: StardewItemFactory, options: Starde return items +def weapons_count(options: StardewValleyOptions): + weapon_count = 5 + if ModNames.sve in options.mods: + weapon_count += 1 + return weapon_count + + def fill_with_resource_packs_and_traps(item_factory: StardewItemFactory, options: StardewValleyOptions, random: Random, items_already_added: List[Item], number_locations: int) -> List[Item]: @@ -477,27 +663,31 @@ def fill_with_resource_packs_and_traps(item_factory: StardewItemFactory, options priority_filler_items = [] priority_filler_items.extend(useful_resource_packs) + if include_traps: priority_filler_items.extend(trap_items) exclude_ginger_island = options.exclude_ginger_island == ExcludeGingerIsland.option_true - all_filler_packs = get_all_filler_items(include_traps, exclude_ginger_island) - priority_filler_items = remove_excluded_packs(priority_filler_items, exclude_ginger_island) + all_filler_packs = remove_excluded_items(get_all_filler_items(include_traps, exclude_ginger_island), options) + priority_filler_items = remove_excluded_items(priority_filler_items, options) number_priority_items = len(priority_filler_items) required_resource_pack = number_locations - len(items_already_added) if required_resource_pack < number_priority_items: chosen_priority_items = [item_factory(resource_pack) for resource_pack in - random.sample(priority_filler_items, required_resource_pack)] + random.sample(priority_filler_items, required_resource_pack)] return chosen_priority_items items = [] - chosen_priority_items = [item_factory(resource_pack) for resource_pack in priority_filler_items] + chosen_priority_items = [item_factory(resource_pack, + ItemClassification.trap if resource_pack.classification == ItemClassification.trap else ItemClassification.useful) + for resource_pack in priority_filler_items] items.extend(chosen_priority_items) required_resource_pack -= number_priority_items all_filler_packs = [filler_pack for filler_pack in all_filler_packs if Group.MAXIMUM_ONE not in filler_pack.groups or - filler_pack.name not in [priority_item.name for priority_item in priority_filler_items]] + (filler_pack.name not in [priority_item.name for priority_item in + priority_filler_items] and filler_pack.name not in items_already_added_names)] while required_resource_pack > 0: resource_pack = random.choice(all_filler_packs) @@ -505,10 +695,11 @@ def fill_with_resource_packs_and_traps(item_factory: StardewItemFactory, options while exactly_2 and required_resource_pack == 1: resource_pack = random.choice(all_filler_packs) exactly_2 = Group.EXACTLY_TWO in resource_pack.groups - items.append(item_factory(resource_pack)) + classification = ItemClassification.useful if resource_pack.classification == ItemClassification.progression else resource_pack.classification + items.append(item_factory(resource_pack, classification)) required_resource_pack -= 1 if exactly_2: - items.append(item_factory(resource_pack)) + items.append(item_factory(resource_pack, classification)) required_resource_pack -= 1 if exactly_2 or Group.MAXIMUM_ONE in resource_pack.groups: all_filler_packs.remove(resource_pack) @@ -516,11 +707,27 @@ def fill_with_resource_packs_and_traps(item_factory: StardewItemFactory, options return items -def remove_excluded_packs(packs, exclude_ginger_island: bool): - included_packs = [pack for pack in packs if Group.DEPRECATED not in pack.groups] - if exclude_ginger_island: - included_packs = [pack for pack in included_packs if Group.GINGER_ISLAND not in pack.groups] - return included_packs +def filter_deprecated_items(items: List[ItemData]) -> List[ItemData]: + return [item for item in items if Group.DEPRECATED not in item.groups] + + +def filter_ginger_island_items(exclude_island: bool, items: List[ItemData]) -> List[ItemData]: + return [item for item in items if not exclude_island or Group.GINGER_ISLAND not in item.groups] + + +def filter_mod_items(mods: Set[str], items: List[ItemData]) -> List[ItemData]: + return [item for item in items if item.mod_name is None or item.mod_name in mods] + + +def remove_excluded_items(items, options: StardewValleyOptions): + return remove_excluded_items_island_mods(items, options.exclude_ginger_island == ExcludeGingerIsland.option_true, options.mods.value) + + +def remove_excluded_items_island_mods(items, exclude_ginger_island: bool, mods: Set[str]): + deprecated_filter = filter_deprecated_items(items) + ginger_island_filter = filter_ginger_island_items(exclude_ginger_island, deprecated_filter) + mod_filter = filter_mod_items(mods, ginger_island_filter) + return mod_filter def remove_limited_amount_packs(packs): @@ -528,9 +735,21 @@ def remove_limited_amount_packs(packs): def get_all_filler_items(include_traps: bool, exclude_ginger_island: bool): - all_filler_packs = [pack for pack in items_by_group[Group.RESOURCE_PACK]] - all_filler_packs.extend(items_by_group[Group.TRASH]) + all_filler_items = [pack for pack in items_by_group[Group.RESOURCE_PACK]] + all_filler_items.extend(items_by_group[Group.TRASH]) if include_traps: - all_filler_packs.extend(items_by_group[Group.TRAP]) - all_filler_packs = remove_excluded_packs(all_filler_packs, exclude_ginger_island) - return all_filler_packs + all_filler_items.extend(items_by_group[Group.TRAP]) + all_filler_items = remove_excluded_items_island_mods(all_filler_items, exclude_ginger_island, set()) + return all_filler_items + + +def get_stardrop_classification(options) -> ItemClassification: + return ItemClassification.progression_skip_balancing if world_is_perfection(options) or world_is_stardrops(options) else ItemClassification.useful + + +def world_is_perfection(options) -> bool: + return options.goal == Goal.option_perfection + + +def world_is_stardrops(options) -> bool: + return options.goal == Goal.option_mystery_of_the_stardrops diff --git a/worlds/stardew_valley/locations.py b/worlds/stardew_valley/locations.py index 345796b0311e..75899559a5f7 100644 --- a/worlds/stardew_valley/locations.py +++ b/worlds/stardew_valley/locations.py @@ -5,12 +5,16 @@ from typing import Optional, Dict, Protocol, List, FrozenSet from . import data -from .options import StardewValleyOptions -from .data.fish_data import legendary_fish, special_fish, all_fish +from .bundles.bundle_room import BundleRoom +from .options import StardewValleyOptions, Craftsanity, Chefsanity, Cooksanity, Shipsanity, Monstersanity +from .data.fish_data import legendary_fish, special_fish, get_fish_for_mods from .data.museum_data import all_museum_items -from .data.villagers_data import all_villagers +from .data.villagers_data import get_villagers_for_mods +from .mods.mod_data import ModNames from .options import ExcludeGingerIsland, Friendsanity, ArcadeMachineLocations, SpecialOrderLocations, Cropsanity, Fishsanity, Museumsanity, FestivalLocations, SkillProgression, BuildingProgression, ToolProgression, ElevatorProgression, BackpackProgression from .strings.goal_names import Goal +from .strings.quest_names import ModQuest +from .strings.villager_names import NPC, ModNPC from .strings.region_names import Region LOCATION_CODE_OFFSET = 717000 @@ -45,7 +49,7 @@ class LocationTags(enum.Enum): COMBAT_LEVEL = enum.auto() MINING_LEVEL = enum.auto() BUILDING_BLUEPRINT = enum.auto() - QUEST = enum.auto() + STORY_QUEST = enum.auto() ARCADE_MACHINE = enum.auto() ARCADE_MACHINE_VICTORY = enum.auto() JOTPK = enum.auto() @@ -60,8 +64,29 @@ class LocationTags(enum.Enum): FESTIVAL_HARD = enum.auto() SPECIAL_ORDER_BOARD = enum.auto() SPECIAL_ORDER_QI = enum.auto() + REQUIRES_QI_ORDERS = enum.auto() GINGER_ISLAND = enum.auto() WALNUT_PURCHASE = enum.auto() + + BABY = enum.auto() + MONSTERSANITY = enum.auto() + MONSTERSANITY_GOALS = enum.auto() + MONSTERSANITY_PROGRESSIVE_GOALS = enum.auto() + MONSTERSANITY_MONSTER = enum.auto() + SHIPSANITY = enum.auto() + SHIPSANITY_CROP = enum.auto() + SHIPSANITY_FISH = enum.auto() + SHIPSANITY_FULL_SHIPMENT = enum.auto() + COOKSANITY = enum.auto() + COOKSANITY_QOS = enum.auto() + CHEFSANITY = enum.auto() + CHEFSANITY_QOS = enum.auto() + CHEFSANITY_PURCHASE = enum.auto() + CHEFSANITY_FRIENDSHIP = enum.auto() + CHEFSANITY_SKILL = enum.auto() + CHEFSANITY_STARTER = enum.auto() + CRAFTSANITY = enum.auto() + # Mods # Skill Mods LUCK_LEVEL = enum.auto() BINNING_LEVEL = enum.auto() @@ -112,10 +137,17 @@ def load_location_csv() -> List[LocationData]: LocationData(None, Region.community_center, Goal.community_center), LocationData(None, Region.mines_floor_120, Goal.bottom_of_the_mines), LocationData(None, Region.skull_cavern_100, Goal.cryptic_note), - LocationData(None, Region.farm, Goal.master_angler), + LocationData(None, Region.beach, Goal.master_angler), LocationData(None, Region.museum, Goal.complete_museum), LocationData(None, Region.farm_house, Goal.full_house), LocationData(None, Region.island_west, Goal.greatest_walnut_hunter), + LocationData(None, Region.adventurer_guild, Goal.protector_of_the_valley), + LocationData(None, Region.shipping, Goal.full_shipment), + LocationData(None, Region.kitchen, Goal.gourmet_chef), + LocationData(None, Region.farm, Goal.craft_master), + LocationData(None, Region.shipping, Goal.legend), + LocationData(None, Region.farm, Goal.mystery_of_the_stardrops), + LocationData(None, Region.farm, Goal.allsanity), LocationData(None, Region.qi_walnut_room, Goal.perfection), ] @@ -139,13 +171,20 @@ def extend_cropsanity_locations(randomized_locations: List[LocationData], option if options.cropsanity == Cropsanity.option_disabled: return - cropsanity_locations = locations_by_tag[LocationTags.CROPSANITY] + cropsanity_locations = [item for item in locations_by_tag[LocationTags.CROPSANITY] if not item.mod_name or item.mod_name in options.mods] cropsanity_locations = filter_ginger_island(options, cropsanity_locations) randomized_locations.extend(cropsanity_locations) -def extend_help_wanted_quests(randomized_locations: List[LocationData], desired_number_of_quests: int): - for i in range(0, desired_number_of_quests): +def extend_quests_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): + if options.quest_locations < 0: + return + + story_quest_locations = locations_by_tag[LocationTags.STORY_QUEST] + story_quest_locations = filter_disabled_locations(options, story_quest_locations) + randomized_locations.extend(story_quest_locations) + + for i in range(0, options.quest_locations.value): batch = i // 7 index_this_batch = i % 7 if index_this_batch < 4: @@ -161,27 +200,29 @@ def extend_help_wanted_quests(randomized_locations: List[LocationData], desired_ def extend_fishsanity_locations(randomized_locations: List[LocationData], options: StardewValleyOptions, random: Random): prefix = "Fishsanity: " - if options.fishsanity == Fishsanity.option_none: + fishsanity = options.fishsanity + active_fish = get_fish_for_mods(options.mods.value) + if fishsanity == Fishsanity.option_none: return - elif options.fishsanity == Fishsanity.option_legendaries: + elif fishsanity == Fishsanity.option_legendaries: randomized_locations.extend(location_table[f"{prefix}{legendary.name}"] for legendary in legendary_fish) - elif options.fishsanity == Fishsanity.option_special: + elif fishsanity == Fishsanity.option_special: randomized_locations.extend(location_table[f"{prefix}{special.name}"] for special in special_fish) - elif options.fishsanity == Fishsanity.option_randomized: - fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in all_fish if random.random() < 0.4] - randomized_locations.extend(filter_ginger_island(options, fish_locations)) - elif options.fishsanity == Fishsanity.option_all: - fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in all_fish] - randomized_locations.extend(filter_ginger_island(options, fish_locations)) - elif options.fishsanity == Fishsanity.option_exclude_legendaries: - fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in all_fish if fish not in legendary_fish] - randomized_locations.extend(filter_ginger_island(options, fish_locations)) - elif options.fishsanity == Fishsanity.option_exclude_hard_fish: - fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in all_fish if fish.difficulty < 80] - randomized_locations.extend(filter_ginger_island(options, fish_locations)) + elif fishsanity == Fishsanity.option_randomized: + fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in active_fish if random.random() < 0.4] + randomized_locations.extend(filter_disabled_locations(options, fish_locations)) + elif fishsanity == Fishsanity.option_all: + fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in active_fish] + randomized_locations.extend(filter_disabled_locations(options, fish_locations)) + elif fishsanity == Fishsanity.option_exclude_legendaries: + fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in active_fish if fish not in legendary_fish] + randomized_locations.extend(filter_disabled_locations(options, fish_locations)) + elif fishsanity == Fishsanity.option_exclude_hard_fish: + fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in active_fish if fish.difficulty < 80] + randomized_locations.extend(filter_disabled_locations(options, fish_locations)) elif options.fishsanity == Fishsanity.option_only_easy_fish: - fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in all_fish if fish.difficulty < 50] - randomized_locations.extend(filter_ginger_island(options, fish_locations)) + fish_locations = [location_table[f"{prefix}{fish.name}"] for fish in active_fish if fish.difficulty < 50] + randomized_locations.extend(filter_disabled_locations(options, fish_locations)) def extend_museumsanity_locations(randomized_locations: List[LocationData], options: StardewValleyOptions, random: Random): @@ -191,30 +232,31 @@ def extend_museumsanity_locations(randomized_locations: List[LocationData], opti elif options.museumsanity == Museumsanity.option_milestones: randomized_locations.extend(locations_by_tag[LocationTags.MUSEUM_MILESTONES]) elif options.museumsanity == Museumsanity.option_randomized: - randomized_locations.extend(location_table[f"{prefix}{museum_item.name}"] + randomized_locations.extend(location_table[f"{prefix}{museum_item.item_name}"] for museum_item in all_museum_items if random.random() < 0.4) elif options.museumsanity == Museumsanity.option_all: - randomized_locations.extend(location_table[f"{prefix}{museum_item.name}"] for museum_item in all_museum_items) + randomized_locations.extend(location_table[f"{prefix}{museum_item.item_name}"] for museum_item in all_museum_items) def extend_friendsanity_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): + island_villagers = [NPC.leo, ModNPC.lance] if options.friendsanity == Friendsanity.option_none: return - exclude_leo = options.exclude_ginger_island == ExcludeGingerIsland.option_true + randomized_locations.append(location_table[f"Spouse Stardrop"]) + extend_baby_locations(randomized_locations) + exclude_ginger_island = options.exclude_ginger_island == ExcludeGingerIsland.option_true exclude_non_bachelors = options.friendsanity == Friendsanity.option_bachelors exclude_locked_villagers = options.friendsanity == Friendsanity.option_starting_npcs or \ options.friendsanity == Friendsanity.option_bachelors include_post_marriage_hearts = options.friendsanity == Friendsanity.option_all_with_marriage heart_size = options.friendsanity_heart_size - for villager in all_villagers: - if villager.mod_name not in options.mods and villager.mod_name is not None: - continue + for villager in get_villagers_for_mods(options.mods.value): if not villager.available and exclude_locked_villagers: continue if not villager.bachelor and exclude_non_bachelors: continue - if villager.name == "Leo" and exclude_leo: + if villager.name in island_villagers and exclude_ginger_island: continue heart_cap = 8 if villager.bachelor else 10 if include_post_marriage_hearts and villager.bachelor: @@ -230,6 +272,11 @@ def extend_friendsanity_locations(randomized_locations: List[LocationData], opti randomized_locations.append(location_table[f"Friendsanity: Pet {heart} <3"]) +def extend_baby_locations(randomized_locations: List[LocationData]): + baby_locations = [location for location in locations_by_tag[LocationTags.BABY]] + randomized_locations.extend(baby_locations) + + def extend_festival_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): if options.festival_locations == FestivalLocations.option_disabled: return @@ -271,12 +318,31 @@ def extend_walnut_purchase_locations(randomized_locations: List[LocationData], o randomized_locations.extend(locations_by_tag[LocationTags.WALNUT_PURCHASE]) -def extend_mandatory_locations(randomized_locations: List[LocationData], options): +def extend_mandatory_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): mandatory_locations = [location for location in locations_by_tag[LocationTags.MANDATORY]] filtered_mandatory_locations = filter_disabled_locations(options, mandatory_locations) randomized_locations.extend(filtered_mandatory_locations) +def extend_situational_quest_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): + if options.quest_locations < 0: + return + if ModNames.distant_lands in options.mods: + if ModNames.alecto in options.mods: + randomized_locations.append(location_table[ModQuest.WitchOrder]) + else: + randomized_locations.append(location_table[ModQuest.CorruptedCropsTask]) + + +def extend_bundle_locations(randomized_locations: List[LocationData], bundle_rooms: List[BundleRoom]): + for room in bundle_rooms: + room_location = f"Complete {room.name}" + if room_location in location_table: + randomized_locations.append(location_table[room_location]) + for bundle in room.bundles: + randomized_locations.append(location_table[bundle.name]) + + def extend_backpack_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): if options.backpack_progression == BackpackProgression.option_vanilla: return @@ -293,15 +359,99 @@ def extend_elevator_locations(randomized_locations: List[LocationData], options: randomized_locations.extend(filtered_elevator_locations) +def extend_monstersanity_locations(randomized_locations: List[LocationData], options): + monstersanity = options.monstersanity + if monstersanity == Monstersanity.option_none: + return + if monstersanity == Monstersanity.option_one_per_monster or monstersanity == Monstersanity.option_split_goals: + monster_locations = [location for location in locations_by_tag[LocationTags.MONSTERSANITY_MONSTER]] + filtered_monster_locations = filter_disabled_locations(options, monster_locations) + randomized_locations.extend(filtered_monster_locations) + return + goal_locations = [location for location in locations_by_tag[LocationTags.MONSTERSANITY_GOALS]] + filtered_goal_locations = filter_disabled_locations(options, goal_locations) + randomized_locations.extend(filtered_goal_locations) + if monstersanity != Monstersanity.option_progressive_goals: + return + progressive_goal_locations = [location for location in locations_by_tag[LocationTags.MONSTERSANITY_PROGRESSIVE_GOALS]] + filtered_progressive_goal_locations = filter_disabled_locations(options, progressive_goal_locations) + randomized_locations.extend(filtered_progressive_goal_locations) + + +def extend_shipsanity_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): + shipsanity = options.shipsanity + if shipsanity == Shipsanity.option_none: + return + if shipsanity == Shipsanity.option_everything: + ship_locations = [location for location in locations_by_tag[LocationTags.SHIPSANITY]] + filtered_ship_locations = filter_disabled_locations(options, ship_locations) + randomized_locations.extend(filtered_ship_locations) + return + shipsanity_locations = set() + if shipsanity == Shipsanity.option_fish or shipsanity == Shipsanity.option_full_shipment_with_fish: + shipsanity_locations = shipsanity_locations.union({location for location in locations_by_tag[LocationTags.SHIPSANITY_FISH]}) + if shipsanity == Shipsanity.option_crops: + shipsanity_locations = shipsanity_locations.union({location for location in locations_by_tag[LocationTags.SHIPSANITY_CROP]}) + if shipsanity == Shipsanity.option_full_shipment or shipsanity == Shipsanity.option_full_shipment_with_fish: + shipsanity_locations = shipsanity_locations.union({location for location in locations_by_tag[LocationTags.SHIPSANITY_FULL_SHIPMENT]}) + + filtered_shipsanity_locations = filter_disabled_locations(options, list(shipsanity_locations)) + randomized_locations.extend(filtered_shipsanity_locations) + + +def extend_cooksanity_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): + cooksanity = options.cooksanity + if cooksanity == Cooksanity.option_none: + return + if cooksanity == Cooksanity.option_queen_of_sauce: + cooksanity_locations = {location for location in locations_by_tag[LocationTags.COOKSANITY_QOS]} + else: + cooksanity_locations = {location for location in locations_by_tag[LocationTags.COOKSANITY]} + + filtered_cooksanity_locations = filter_disabled_locations(options, list(cooksanity_locations)) + randomized_locations.extend(filtered_cooksanity_locations) + + +def extend_chefsanity_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): + chefsanity = options.chefsanity + if chefsanity == Chefsanity.option_none: + return + + chefsanity_locations_by_name = {} # Dictionary to not make duplicates + + if chefsanity & Chefsanity.option_queen_of_sauce: + chefsanity_locations_by_name.update({location.name: location for location in locations_by_tag[LocationTags.CHEFSANITY_QOS]}) + if chefsanity & Chefsanity.option_purchases: + chefsanity_locations_by_name.update({location.name: location for location in locations_by_tag[LocationTags.CHEFSANITY_PURCHASE]}) + if chefsanity & Chefsanity.option_friendship: + chefsanity_locations_by_name.update({location.name: location for location in locations_by_tag[LocationTags.CHEFSANITY_FRIENDSHIP]}) + if chefsanity & Chefsanity.option_skills: + chefsanity_locations_by_name.update({location.name: location for location in locations_by_tag[LocationTags.CHEFSANITY_SKILL]}) + + filtered_chefsanity_locations = filter_disabled_locations(options, list(chefsanity_locations_by_name.values())) + randomized_locations.extend(filtered_chefsanity_locations) + + +def extend_craftsanity_locations(randomized_locations: List[LocationData], options: StardewValleyOptions): + if options.craftsanity == Craftsanity.option_none: + return + + craftsanity_locations = [craft for craft in locations_by_tag[LocationTags.CRAFTSANITY]] + filtered_chefsanity_locations = filter_disabled_locations(options, craftsanity_locations) + randomized_locations.extend(filtered_chefsanity_locations) + + def create_locations(location_collector: StardewLocationCollector, + bundle_rooms: List[BundleRoom], options: StardewValleyOptions, random: Random): randomized_locations = [] extend_mandatory_locations(randomized_locations, options) + extend_bundle_locations(randomized_locations, bundle_rooms) extend_backpack_locations(randomized_locations, options) - if not options.tool_progression == ToolProgression.option_vanilla: + if options.tool_progression & ToolProgression.option_progressive: randomized_locations.extend(locations_by_tag[LocationTags.TOOL_UPGRADE]) extend_elevator_locations(randomized_locations, options) @@ -311,7 +461,7 @@ def create_locations(location_collector: StardewLocationCollector, if location.mod_name is None or location.mod_name in options.mods: randomized_locations.append(location_table[location.name]) - if not options.building_progression == BuildingProgression.option_vanilla: + if options.building_progression & BuildingProgression.option_progressive: for location in locations_by_tag[LocationTags.BUILDING_BLUEPRINT]: if location.mod_name is None or location.mod_name in options.mods: randomized_locations.append(location_table[location.name]) @@ -323,7 +473,6 @@ def create_locations(location_collector: StardewLocationCollector, randomized_locations.extend(locations_by_tag[LocationTags.ARCADE_MACHINE]) extend_cropsanity_locations(randomized_locations, options) - extend_help_wanted_quests(randomized_locations, options.help_wanted_locations.value) extend_fishsanity_locations(randomized_locations, options, random) extend_museumsanity_locations(randomized_locations, options, random) extend_friendsanity_locations(randomized_locations, options) @@ -332,6 +481,14 @@ def create_locations(location_collector: StardewLocationCollector, extend_special_order_locations(randomized_locations, options) extend_walnut_purchase_locations(randomized_locations, options) + extend_monstersanity_locations(randomized_locations, options) + extend_shipsanity_locations(randomized_locations, options) + extend_cooksanity_locations(randomized_locations, options) + extend_chefsanity_locations(randomized_locations, options) + extend_craftsanity_locations(randomized_locations, options) + extend_quests_locations(randomized_locations, options) + extend_situational_quest_locations(randomized_locations, options) + for location_data in randomized_locations: location_collector(location_data.name, location_data.code, location_data.region) @@ -341,12 +498,17 @@ def filter_ginger_island(options: StardewValleyOptions, locations: List[Location return [location for location in locations if include_island or LocationTags.GINGER_ISLAND not in location.tags] +def filter_qi_order_locations(options: StardewValleyOptions, locations: List[LocationData]) -> List[LocationData]: + include_qi_orders = options.special_order_locations == SpecialOrderLocations.option_board_qi + return [location for location in locations if include_qi_orders or LocationTags.REQUIRES_QI_ORDERS not in location.tags] + + def filter_modded_locations(options: StardewValleyOptions, locations: List[LocationData]) -> List[LocationData]: - current_mod_names = options.mods - return [location for location in locations if location.mod_name is None or location.mod_name in current_mod_names] + return [location for location in locations if location.mod_name is None or location.mod_name in options.mods] def filter_disabled_locations(options: StardewValleyOptions, locations: List[LocationData]) -> List[LocationData]: - locations_first_pass = filter_ginger_island(options, locations) - locations_second_pass = filter_modded_locations(options, locations_first_pass) - return locations_second_pass + locations_island_filter = filter_ginger_island(options, locations) + locations_qi_filter = filter_qi_order_locations(options, locations_island_filter) + locations_mod_filter = filter_modded_locations(options, locations_qi_filter) + return locations_mod_filter diff --git a/worlds/stardew_valley/logic.py b/worlds/stardew_valley/logic.py deleted file mode 100644 index d4476a3f313a..000000000000 --- a/worlds/stardew_valley/logic.py +++ /dev/null @@ -1,1626 +0,0 @@ -from __future__ import annotations - -import math -from dataclasses import dataclass, field -from typing import Dict, Union, Optional, Iterable, Sized, List, Set - -from .data import all_fish, FishItem, all_purchasable_seeds, SeedItem, all_crops, CropItem -from .data.bundle_data import BundleItem -from .data.crops_data import crops_by_name -from .data.fish_data import island_fish -from .data.museum_data import all_museum_items, MuseumItem, all_museum_artifacts, all_museum_minerals -from .data.recipe_data import all_cooking_recipes, CookingRecipe, RecipeSource, FriendshipSource, QueenOfSauceSource, \ - StarterSource, ShopSource, SkillSource -from .data.villagers_data import all_villagers_by_name, Villager -from .items import all_items, Group -from .mods.logic.buildings import get_modded_building_rules -from .mods.logic.quests import get_modded_quest_rules -from .mods.logic.special_orders import get_modded_special_orders_rules -from .mods.logic.skullcavernelevator import has_skull_cavern_elevator_to_floor -from .mods.mod_data import ModNames -from .mods.logic import magic, skills -from .options import Museumsanity, SeasonRandomization, StardewValleyOptions, BuildingProgression, SkillProgression, ToolProgression, Friendsanity, Cropsanity, \ - ExcludeGingerIsland, ElevatorProgression, ArcadeMachineLocations, FestivalLocations, SpecialOrderLocations -from .regions import vanilla_regions -from .stardew_rule import False_, Reach, Or, True_, Received, Count, And, Has, TotalReceived, StardewRule -from .strings.animal_names import Animal, coop_animals, barn_animals -from .strings.animal_product_names import AnimalProduct -from .strings.ap_names.buff_names import Buff -from .strings.ap_names.transport_names import Transportation -from .strings.artisan_good_names import ArtisanGood -from .strings.building_names import Building -from .strings.calendar_names import Weekday -from .strings.craftable_names import Craftable -from .strings.crop_names import Fruit, Vegetable, all_fruits, all_vegetables -from .strings.fertilizer_names import Fertilizer -from .strings.festival_check_names import FestivalCheck -from .strings.fish_names import Fish, Trash, WaterItem -from .strings.flower_names import Flower -from .strings.forageable_names import Forageable -from .strings.fruit_tree_names import Sapling -from .strings.generic_names import Generic -from .strings.geode_names import Geode -from .strings.gift_names import Gift -from .strings.ingredient_names import Ingredient -from .strings.material_names import Material -from .strings.machine_names import Machine -from .strings.food_names import Meal, Beverage -from .strings.metal_names import Ore, MetalBar, Mineral, Fossil -from .strings.monster_drop_names import Loot -from .strings.performance_names import Performance -from .strings.quest_names import Quest -from .strings.region_names import Region -from .strings.season_names import Season -from .strings.seed_names import Seed -from .strings.skill_names import Skill, ModSkill -from .strings.special_order_names import SpecialOrder -from .strings.spells import MagicSpell -from .strings.tool_names import Tool, ToolMaterial, APTool -from .strings.tv_channel_names import Channel -from .strings.villager_names import NPC -from .strings.wallet_item_names import Wallet -from .strings.weapon_names import Weapon - -MAX_MONTHS = 12 -MONEY_PER_MONTH = 15000 -MISSING_ITEM = "THIS ITEM IS MISSING" - -tool_materials = { - ToolMaterial.copper: 1, - ToolMaterial.iron: 2, - ToolMaterial.gold: 3, - ToolMaterial.iridium: 4 -} - -tool_upgrade_prices = { - ToolMaterial.copper: 2000, - ToolMaterial.iron: 5000, - ToolMaterial.gold: 10000, - ToolMaterial.iridium: 25000 -} - -fishing_regions = [Region.beach, Region.town, Region.forest, Region.mountain, Region.island_south, Region.island_west] - - -@dataclass(frozen=True, repr=False) -class StardewLogic: - player: int - options: StardewValleyOptions - - item_rules: Dict[str, StardewRule] = field(default_factory=dict) - sapling_rules: Dict[str, StardewRule] = field(default_factory=dict) - tree_fruit_rules: Dict[str, StardewRule] = field(default_factory=dict) - seed_rules: Dict[str, StardewRule] = field(default_factory=dict) - cooking_rules: Dict[str, StardewRule] = field(default_factory=dict) - crop_rules: Dict[str, StardewRule] = field(default_factory=dict) - fish_rules: Dict[str, StardewRule] = field(default_factory=dict) - museum_rules: Dict[str, StardewRule] = field(default_factory=dict) - building_rules: Dict[str, StardewRule] = field(default_factory=dict) - quest_rules: Dict[str, StardewRule] = field(default_factory=dict) - festival_rules: Dict[str, StardewRule] = field(default_factory=dict) - special_order_rules: Dict[str, StardewRule] = field(default_factory=dict) - - def __post_init__(self): - self.fish_rules.update({fish.name: self.can_catch_fish(fish) for fish in all_fish}) - self.museum_rules.update({donation.name: self.can_find_museum_item(donation) for donation in all_museum_items}) - - for recipe in all_cooking_recipes: - can_cook_rule = self.can_cook(recipe) - if recipe.meal in self.cooking_rules: - can_cook_rule = can_cook_rule | self.cooking_rules[recipe.meal] - self.cooking_rules[recipe.meal] = can_cook_rule - - self.sapling_rules.update({ - Sapling.apple: self.can_buy_sapling(Fruit.apple), - Sapling.apricot: self.can_buy_sapling(Fruit.apricot), - Sapling.cherry: self.can_buy_sapling(Fruit.cherry), - Sapling.orange: self.can_buy_sapling(Fruit.orange), - Sapling.peach: self.can_buy_sapling(Fruit.peach), - Sapling.pomegranate: self.can_buy_sapling(Fruit.pomegranate), - Sapling.banana: self.can_buy_sapling(Fruit.banana), - Sapling.mango: self.can_buy_sapling(Fruit.mango), - }) - - self.tree_fruit_rules.update({ - Fruit.apple: self.can_plant_and_grow_item(Season.fall), - Fruit.apricot: self.can_plant_and_grow_item(Season.spring), - Fruit.cherry: self.can_plant_and_grow_item(Season.spring), - Fruit.orange: self.can_plant_and_grow_item(Season.summer), - Fruit.peach: self.can_plant_and_grow_item(Season.summer), - Fruit.pomegranate: self.can_plant_and_grow_item(Season.fall), - Fruit.banana: self.can_plant_and_grow_item(Season.summer), - Fruit.mango: self.can_plant_and_grow_item(Season.summer), - }) - - for tree_fruit in self.tree_fruit_rules: - existing_rules = self.tree_fruit_rules[tree_fruit] - sapling = f"{tree_fruit} Sapling" - self.tree_fruit_rules[tree_fruit] = existing_rules & self.has(sapling) & self.has_lived_months(1) - - self.seed_rules.update({seed.name: self.can_buy_seed(seed) for seed in all_purchasable_seeds}) - self.crop_rules.update({crop.name: self.can_grow_crop(crop) for crop in all_crops}) - self.crop_rules.update({ - Seed.coffee: (self.has_season(Season.spring) | self.has_season( - Season.summer)) & self.can_buy_seed(crops_by_name[Seed.coffee].seed), - Fruit.ancient_fruit: (self.received("Ancient Seeds") | self.received("Ancient Seeds Recipe")) & - self.can_reach_region(Region.greenhouse) & self.has(Machine.seed_maker), - }) - - self.item_rules.update({ - ArtisanGood.aged_roe: self.can_preserves_jar(AnimalProduct.roe), - AnimalProduct.any_egg: self.has(AnimalProduct.chicken_egg) | self.has(AnimalProduct.duck_egg), - Fish.any: Or([self.can_catch_fish(fish) for fish in all_fish]), - Geode.artifact_trove: self.has(Geode.omni) & self.can_reach_region(Region.desert), - Craftable.bait: (self.has_skill_level(Skill.fishing, 2) & self.has(Loot.bug_meat)) | self.has(Machine.worm_bin), - Fertilizer.basic: (self.has(Material.sap) & self.has_farming_level(1)) | (self.has_lived_months(1) & self.can_spend_money_at(Region.pierre_store, 100)), - Fertilizer.quality: (self.has_farming_level(9) & self.has(Material.sap) & self.has(Fish.any)) | (self.has_year_two() & self.can_spend_money_at(Region.pierre_store, 150)), - Fertilizer.deluxe: False_(), - # self.received("Deluxe Fertilizer Recipe") & self.has(MetalBar.iridium) & self.has(SVItem.sap), - Fertilizer.tree: self.has_skill_level(Skill.foraging, 7) & self.has(Material.fiber) & self.has(Material.stone), - Loot.bat_wing: self.can_mine_in_the_mines_floor_41_80() | self.can_mine_in_the_skull_cavern(), - ArtisanGood.battery_pack: (self.has(Machine.lightning_rod) & self.has_any_season_not_winter()) | self.has(Machine.solar_panel), - Machine.bee_house: self.has_farming_level(3) & self.has(MetalBar.iron) & self.has(ArtisanGood.maple_syrup) & self.has(Material.coal) & self.has(Material.wood), - Beverage.beer: self.can_keg(Vegetable.wheat) | self.can_spend_money_at(Region.saloon, 400), - Forageable.blackberry: self.can_forage(Season.fall), - Craftable.bomb: self.has_skill_level(Skill.mining, 6) & self.has(Material.coal) & self.has(Ore.iron), - Fossil.bone_fragment: self.can_reach_region(Region.dig_site), - Gift.bouquet: self.has_relationship(Generic.bachelor, 8) & self.can_spend_money_at(Region.pierre_store, 100), - Meal.bread: self.can_spend_money_at(Region.saloon, 120), - Trash.broken_cd: self.can_crab_pot(), - Trash.broken_glasses: self.can_crab_pot(), - Loot.bug_meat: self.can_mine_in_the_mines_floor_1_40(), - Forageable.cactus_fruit: self.can_forage(Generic.any, Region.desert), - Machine.cask: self.has_house(3) & self.can_reach_region(Region.cellar) & self.has(Material.wood) & self.has(Material.hardwood), - Forageable.cave_carrot: self.can_forage(Generic.any, Region.mines_floor_10, True), - ArtisanGood.caviar: self.can_preserves_jar(AnimalProduct.sturgeon_roe), - Forageable.chanterelle: self.can_forage(Season.fall, Region.secret_woods), - Machine.cheese_press: self.has_farming_level(6) & self.has(Material.wood) & self.has(Material.stone) & self.has(Material.hardwood) & self.has(MetalBar.copper), - ArtisanGood.cheese: (self.has(AnimalProduct.cow_milk) & self.has(Machine.cheese_press)) | (self.can_reach_region(Region.desert) & self.has(Mineral.emerald)), - Craftable.cherry_bomb: self.has_skill_level(Skill.mining, 1) & self.has(Material.coal) & self.has(Ore.copper), - Animal.chicken: self.can_buy_animal(Animal.chicken), - AnimalProduct.chicken_egg: self.has([AnimalProduct.egg, AnimalProduct.brown_egg, AnimalProduct.large_egg, AnimalProduct.large_brown_egg], 1), - Material.cinder_shard: self.can_reach_region(Region.volcano_floor_5), - WaterItem.clam: self.can_forage(Generic.any, Region.beach), - Material.clay: self.can_reach_any_region([Region.farm, Region.beach, Region.quarry]) & self.has_tool(Tool.hoe), - ArtisanGood.cloth: (self.has(AnimalProduct.wool) & self.has(Machine.loom)) | (self.can_reach_region(Region.desert) & self.has(Mineral.aquamarine)), - Material.coal: self.can_mine_in_the_mines_floor_41_80() | self.can_do_panning(), - WaterItem.cockle: self.can_forage(Generic.any, Region.beach), - Forageable.coconut: self.can_forage(Generic.any, Region.desert), - Beverage.coffee: self.can_keg(Seed.coffee) | self.has(Machine.coffee_maker) | (self.can_spend_money_at(Region.saloon, 300)) | self.has("Hot Java Ring"), - Machine.coffee_maker: self.received(Machine.coffee_maker), - Forageable.common_mushroom: self.can_forage(Season.fall) | (self.can_forage(Season.spring, Region.secret_woods)), - MetalBar.copper: self.can_smelt(Ore.copper), - Ore.copper: self.can_mine_in_the_mines_floor_1_40() | self.can_mine_in_the_skull_cavern() | self.can_do_panning(), - WaterItem.coral: self.can_forage(Generic.any, Region.tide_pools) | self.can_forage(Season.summer, Region.beach), - Animal.cow: self.can_buy_animal(Animal.cow), - AnimalProduct.cow_milk: self.has(AnimalProduct.milk) | self.has(AnimalProduct.large_milk), - Fish.crab: self.can_crab_pot(Region.beach), - Machine.crab_pot: self.has_skill_level(Skill.fishing, 3) & (self.can_spend_money_at(Region.fish_shop, 1500) | (self.has(MetalBar.iron) & self.has(Material.wood))), - Fish.crayfish: self.can_crab_pot(Region.town), - Forageable.crocus: self.can_forage(Season.winter), - Forageable.crystal_fruit: self.can_forage(Season.winter), - Forageable.daffodil: self.can_forage(Season.spring), - Forageable.dandelion: self.can_forage(Season.spring), - Animal.dinosaur: self.has_building(Building.big_coop) & self.has(AnimalProduct.dinosaur_egg), - Forageable.dragon_tooth: self.can_forage(Generic.any, Region.volcano_floor_10), - "Dried Starfish": self.can_fish() & self.can_reach_region(Region.beach), - Trash.driftwood: self.can_crab_pot(), - AnimalProduct.duck_egg: self.has_animal(Animal.duck), - AnimalProduct.duck_feather: self.has_happy_animal(Animal.duck), - Animal.duck: self.can_buy_animal(Animal.duck), - AnimalProduct.egg: self.has_animal(Animal.chicken), - AnimalProduct.brown_egg: self.has_animal(Animal.chicken), - "Energy Tonic": self.can_reach_region(Region.hospital) & self.can_spend_money(1000), - Material.fiber: True_(), - Forageable.fiddlehead_fern: self.can_forage(Season.summer, Region.secret_woods), - "Magic Rock Candy": self.can_reach_region(Region.desert) & self.has("Prismatic Shard"), - "Fishing Chest": self.can_fish_chests(), - Craftable.flute_block: self.has_relationship(NPC.robin, 6) & self.can_reach_region(Region.carpenter) & self.has(Material.wood) & self.has(Ore.copper) & self.has(Material.fiber), - Geode.frozen: self.can_mine_in_the_mines_floor_41_80(), - Machine.furnace: self.has(Material.stone) & self.has(Ore.copper), - Geode.geode: self.can_mine_in_the_mines_floor_1_40(), - Forageable.ginger: self.can_forage(Generic.any, Region.island_west, True), - ArtisanGood.goat_cheese: self.has(AnimalProduct.goat_milk) & self.has(Machine.cheese_press), - AnimalProduct.goat_milk: self.has(Animal.goat), - Animal.goat: self.can_buy_animal(Animal.goat), - MetalBar.gold: self.can_smelt(Ore.gold), - Ore.gold: self.can_mine_in_the_mines_floor_81_120() | self.can_mine_in_the_skull_cavern() | self.can_do_panning(), - Geode.golden_coconut: self.can_reach_region(Region.island_north), - Gift.golden_pumpkin: self.has_season(Season.fall) | self.can_open_geode(Geode.artifact_trove), - WaterItem.green_algae: self.can_fish_in_freshwater(), - ArtisanGood.green_tea: self.can_keg(Vegetable.tea_leaves), - Material.hardwood: self.has_tool(Tool.axe, ToolMaterial.copper) & (self.can_reach_region(Region.secret_woods) | self.can_reach_region(Region.island_south)), - Forageable.hay: self.has_building(Building.silo) & self.has_tool(Tool.scythe), - Forageable.hazelnut: self.can_forage(Season.fall), - Forageable.holly: self.can_forage(Season.winter), - ArtisanGood.honey: self.can_spend_money_at(Region.oasis, 200) | (self.has(Machine.bee_house) & self.has_any_season_not_winter()), - "Hot Java Ring": self.can_reach_region(Region.volcano_floor_10), - Meal.ice_cream: (self.has_season(Season.summer) & self.can_spend_money_at(Region.town, 250)) | self.can_spend_money_at(Region.oasis, 240), - # | (self.can_cook() & self.has_relationship(NPC.jodi, 7) & self.has(AnimalProduct.cow_milk) & self.has(Ingredient.sugar)), - MetalBar.iridium: self.can_smelt(Ore.iridium), - Ore.iridium: self.can_mine_in_the_skull_cavern(), - MetalBar.iron: self.can_smelt(Ore.iron), - Ore.iron: self.can_mine_in_the_mines_floor_41_80() | self.can_mine_in_the_skull_cavern() | self.can_do_panning(), - ArtisanGood.jelly: self.has_jelly(), - Trash.joja_cola: self.can_spend_money_at(Region.saloon, 75), - "JotPK Small Buff": self.has_jotpk_power_level(2), - "JotPK Medium Buff": self.has_jotpk_power_level(4), - "JotPK Big Buff": self.has_jotpk_power_level(7), - "JotPK Max Buff": self.has_jotpk_power_level(9), - ArtisanGood.juice: self.has_juice(), - "Junimo Kart Small Buff": self.has_junimo_kart_power_level(2), - "Junimo Kart Medium Buff": self.has_junimo_kart_power_level(4), - "Junimo Kart Big Buff": self.has_junimo_kart_power_level(6), - "Junimo Kart Max Buff": self.has_junimo_kart_power_level(8), - Machine.keg: self.has_farming_level(8) & self.has(Material.wood) & self.has(MetalBar.iron) & self.has(MetalBar.copper) & self.has(ArtisanGood.oak_resin), - AnimalProduct.large_egg: self.has_happy_animal(Animal.chicken), - AnimalProduct.large_brown_egg: self.has_happy_animal(Animal.chicken), - AnimalProduct.large_goat_milk: self.has_happy_animal(Animal.goat), - AnimalProduct.large_milk: self.has_happy_animal(Animal.cow), - Forageable.leek: self.can_forage(Season.spring), - Craftable.life_elixir: self.has_skill_level(Skill.combat, 2) & self.has(Forageable.red_mushroom) & self.has(Forageable.purple_mushroom) & self.has(Forageable.morel) & self.has(Forageable.chanterelle), - Machine.lightning_rod: self.has_skill_level(Skill.foraging, 6) & self.has(MetalBar.iron) & self.has(MetalBar.quartz) & self.has(Loot.bat_wing), - Fish.lobster: self.can_crab_pot(Region.beach), - Machine.loom: self.has_farming_level(7) & self.has(Material.wood) & self.has(Material.fiber) & self.has(ArtisanGood.pine_tar), - Forageable.magma_cap: self.can_forage(Generic.any, Region.volcano_floor_5), - Geode.magma: self.can_mine_in_the_mines_floor_81_120() | (self.has(Fish.lava_eel) & self.has_building(Building.fish_pond)), - ArtisanGood.maple_syrup: self.has(Machine.tapper), - ArtisanGood.mayonnaise: self.has(Machine.mayonnaise_machine) & self.has(AnimalProduct.chicken_egg), - Machine.mayonnaise_machine: self.has_farming_level(2) & self.has(Material.wood) & self.has(Material.stone) & self.has("Earth Crystal") & self.has(MetalBar.copper), - ArtisanGood.mead: self.can_keg(ArtisanGood.honey), - Craftable.mega_bomb: self.has_skill_level(Skill.mining, 8) & self.has(Ore.gold) & self.has(Loot.solar_essence) & self.has(Loot.void_essence), - Gift.mermaid_pendant: self.can_reach_region(Region.tide_pools) & self.has_relationship(Generic.bachelor, 10) & self.has_house(1) & self.has(Craftable.rain_totem), - AnimalProduct.milk: self.has_animal(Animal.cow), - Craftable.monster_musk: self.has_prismatic_jelly_reward_access() & self.has(Loot.slime) & self.has(Loot.bat_wing), - Forageable.morel: self.can_forage(Season.spring, Region.secret_woods), - "Muscle Remedy": self.can_reach_region(Region.hospital) & self.can_spend_money(1000), - Fish.mussel: self.can_forage(Generic.any, Region.beach) or self.has(Fish.mussel_node), - Fish.mussel_node: self.can_reach_region(Region.island_west), - WaterItem.nautilus_shell: self.can_forage(Season.winter, Region.beach), - ArtisanGood.oak_resin: self.has(Machine.tapper), - Ingredient.oil: self.can_spend_money_at(Region.pierre_store, 200) | (self.has(Machine.oil_maker) & (self.has(Vegetable.corn) | self.has(Flower.sunflower) | self.has(Seed.sunflower))), - Machine.oil_maker: self.has_farming_level(8) & self.has(Loot.slime) & self.has(Material.hardwood) & self.has(MetalBar.gold), - Craftable.oil_of_garlic: (self.has_skill_level(Skill.combat, 6) & self.has(Vegetable.garlic) & self.has(Ingredient.oil)) | (self.can_spend_money_at(Region.mines_dwarf_shop, 3000)), - Geode.omni: self.can_mine_in_the_mines_floor_41_80() | self.can_reach_region(Region.desert) | self.can_do_panning() | self.received(Wallet.rusty_key) | (self.has(Fish.octopus) & self.has_building(Building.fish_pond)) | self.can_reach_region(Region.volcano_floor_10), - Animal.ostrich: self.has_building(Building.barn) & self.has(AnimalProduct.ostrich_egg) & self.has(Machine.ostrich_incubator), - AnimalProduct.ostrich_egg: self.can_forage(Generic.any, Region.island_north, True), - Machine.ostrich_incubator: self.received("Ostrich Incubator Recipe") & self.has(Fossil.bone_fragment) & self.has(Material.hardwood) & self.has(Material.cinder_shard), - Fish.oyster: self.can_forage(Generic.any, Region.beach), - ArtisanGood.pale_ale: self.can_keg(Vegetable.hops), - Gift.pearl: (self.has(Fish.blobfish) & self.has_building(Building.fish_pond)) | self.can_open_geode(Geode.artifact_trove), - Fish.periwinkle: self.can_crab_pot(Region.town), - ArtisanGood.pickles: self.has_pickle(), - Animal.pig: self.can_buy_animal(Animal.pig), - Beverage.pina_colada: self.can_spend_money_at(Region.island_resort, 600), - ArtisanGood.pine_tar: self.has(Machine.tapper), - Meal.pizza: self.can_spend_money_at(Region.saloon, 600), - Machine.preserves_jar: self.has_farming_level(4) & self.has(Material.wood) & self.has(Material.stone) & self.has(Material.coal), - Forageable.purple_mushroom: self.can_forage(Generic.any, Region.mines_floor_95) | self.can_forage(Generic.any, Region.skull_cavern_25), - Animal.rabbit: self.can_buy_animal(Animal.rabbit), - AnimalProduct.rabbit_foot: self.has_happy_animal(Animal.rabbit), - MetalBar.radioactive: self.can_smelt(Ore.radioactive), - Ore.radioactive: self.can_mine_perfectly() & self.can_reach_region(Region.qi_walnut_room), - Forageable.rainbow_shell: self.can_forage(Season.summer, Region.beach), - Craftable.rain_totem: self.has_skill_level(Skill.foraging, 9) & self.has(Material.hardwood) & self.has(ArtisanGood.truffle_oil) & self.has(ArtisanGood.pine_tar), - Machine.recycling_machine: self.has_skill_level(Skill.fishing, 4) & self.has(Material.wood) & self.has(Material.stone) & self.has(MetalBar.iron), - Forageable.red_mushroom: self.can_forage(Season.summer, Region.secret_woods) | self.can_forage(Season.fall, Region.secret_woods), - MetalBar.quartz: self.can_smelt("Quartz") | self.can_smelt("Fire Quartz") | - (self.has(Machine.recycling_machine) & (self.has(Trash.broken_cd) | self.has(Trash.broken_glasses))), - Ingredient.rice: self.can_spend_money_at(Region.pierre_store, 200) | ( - self.has_building(Building.mill) & self.has(Vegetable.unmilled_rice)), - AnimalProduct.roe: self.can_fish() & self.has_building(Building.fish_pond), - Meal.salad: self.can_spend_money_at(Region.saloon, 220), - # | (self.can_cook() & self.has_relationship(NPC.emily, 3) & self.has(Forageable.leek) & self.has(Forageable.dandelion) & - # self.has(Ingredient.vinegar)), - Forageable.salmonberry: self.can_forage(Season.spring), - Material.sap: self.can_chop_trees(), - Craftable.scarecrow: self.has_farming_level(1) & self.has(Material.wood) & self.has(Material.coal) & self.has(Material.fiber), - WaterItem.sea_urchin: self.can_forage(Generic.any, Region.tide_pools), - WaterItem.seaweed: (self.can_fish() & self.can_reach_region(Region.beach)) | self.can_reach_region( - Region.tide_pools), - Forageable.secret_note: self.received(Wallet.magnifying_glass) & (self.can_chop_trees() | self.can_mine_in_the_mines_floor_1_40()), - Machine.seed_maker: self.has_farming_level(9) & self.has(Material.wood) & self.has(MetalBar.gold) & self.has( - Material.coal), - Animal.sheep: self.can_buy_animal(Animal.sheep), - Fish.shrimp: self.can_crab_pot(Region.beach), - Loot.slime: self.can_mine_in_the_mines_floor_1_40(), - Weapon.any_slingshot: self.received(Weapon.slingshot) | self.received(Weapon.master_slingshot), - Fish.snail: self.can_crab_pot(Region.town), - Forageable.snow_yam: self.can_forage(Season.winter, Region.beach, True), - Trash.soggy_newspaper: self.can_crab_pot(), - Loot.solar_essence: self.can_mine_in_the_mines_floor_41_80() | self.can_mine_in_the_skull_cavern(), - Machine.solar_panel: self.received("Solar Panel Recipe") & self.has(MetalBar.quartz) & self.has( - MetalBar.iron) & self.has(MetalBar.gold), - Meal.spaghetti: self.can_spend_money_at(Region.saloon, 240), - Forageable.spice_berry: self.can_forage(Season.summer), - Forageable.spring_onion: self.can_forage(Season.spring), - AnimalProduct.squid_ink: self.can_mine_in_the_mines_floor_81_120() | (self.has_building(Building.fish_pond) & self.has(Fish.squid)), - Craftable.staircase: self.has_skill_level(Skill.mining, 2) & self.has(Material.stone), - Material.stone: self.has_tool(Tool.pickaxe), - Meal.strange_bun: self.has_relationship(NPC.shane, 7) & self.has(Ingredient.wheat_flour) & self.has(Fish.periwinkle) & self.has(ArtisanGood.void_mayonnaise), - AnimalProduct.sturgeon_roe: self.has(Fish.sturgeon) & self.has_building(Building.fish_pond), - Ingredient.sugar: self.can_spend_money_at(Region.pierre_store, 100) | ( - self.has_building(Building.mill) & self.has(Vegetable.beet)), - Forageable.sweet_pea: self.can_forage(Season.summer), - Machine.tapper: self.has_skill_level(Skill.foraging, 3) & self.has(Material.wood) & self.has(MetalBar.copper), - Vegetable.tea_leaves: self.has(Sapling.tea) & self.has_lived_months(2) & self.has_any_season_not_winter(), - Sapling.tea: self.has_relationship(NPC.caroline, 2) & self.has(Material.fiber) & self.has(Material.wood), - Trash.trash: self.can_crab_pot(), - Beverage.triple_shot_espresso: self.has("Hot Java Ring"), - ArtisanGood.truffle_oil: self.has(AnimalProduct.truffle) & self.has(Machine.oil_maker), - AnimalProduct.truffle: self.has_animal(Animal.pig) & self.has_any_season_not_winter(), - Ingredient.vinegar: self.can_spend_money_at(Region.pierre_store, 200), - AnimalProduct.void_egg: self.can_spend_money_at(Region.sewer, 5000) | (self.has_building(Building.fish_pond) & self.has(Fish.void_salmon)), - Loot.void_essence: self.can_mine_in_the_mines_floor_81_120() | self.can_mine_in_the_skull_cavern(), - ArtisanGood.void_mayonnaise: (self.can_reach_region(Region.witch_swamp) & self.can_fish()) | (self.has(Machine.mayonnaise_machine) & self.has(AnimalProduct.void_egg)), - Ingredient.wheat_flour: self.can_spend_money_at(Region.pierre_store, 100) | - (self.has_building(Building.mill) & self.has(Vegetable.wheat)), - WaterItem.white_algae: self.can_fish() & self.can_reach_region(Region.mines_floor_20), - Forageable.wild_horseradish: self.can_forage(Season.spring), - Forageable.wild_plum: self.can_forage(Season.fall), - Gift.wilted_bouquet: self.has(Machine.furnace) & self.has(Gift.bouquet) & self.has(Material.coal), - ArtisanGood.wine: self.has_wine(), - Forageable.winter_root: self.can_forage(Season.winter, Region.forest, True), - Material.wood: self.has_tool(Tool.axe), - AnimalProduct.wool: self.has_animal(Animal.rabbit) | self.has_animal(Animal.sheep), - Machine.worm_bin: self.has_skill_level(Skill.fishing, 8) & self.has(Material.hardwood) & self.has(MetalBar.gold) & self.has(MetalBar.iron) & self.has(Material.fiber), - }) - self.item_rules.update(self.fish_rules) - self.item_rules.update(self.museum_rules) - self.item_rules.update(self.sapling_rules) - self.item_rules.update(self.tree_fruit_rules) - self.item_rules.update(self.seed_rules) - self.item_rules.update(self.crop_rules) - - # For some recipes, the cooked item can be obtained directly, so we either cook it or get it - for recipe in self.cooking_rules: - cooking_rule = self.cooking_rules[recipe] - obtention_rule = self.item_rules[recipe] if recipe in self.item_rules else False_() - self.item_rules[recipe] = obtention_rule | cooking_rule - - self.building_rules.update({ - Building.barn: self.can_spend_money_at(Region.carpenter, 6000) & self.has([Material.wood, Material.stone]), - Building.big_barn: self.can_spend_money_at(Region.carpenter, 12000) & self.has([Material.wood, Material.stone]) & self.has_building(Building.barn), - Building.deluxe_barn: self.can_spend_money_at(Region.carpenter, 25000) & self.has([Material.wood, Material.stone]) & self.has_building(Building.big_barn), - Building.coop: self.can_spend_money_at(Region.carpenter, 4000) & self.has([Material.wood, Material.stone]), - Building.big_coop: self.can_spend_money_at(Region.carpenter, 10000) & self.has([Material.wood, Material.stone]) & self.has_building(Building.coop), - Building.deluxe_coop: self.can_spend_money_at(Region.carpenter, 20000) & self.has([Material.wood, Material.stone]) & self.has_building(Building.big_coop), - Building.fish_pond: self.can_spend_money_at(Region.carpenter, 5000) & self.has([Material.stone, WaterItem.seaweed, WaterItem.green_algae]), - Building.mill: self.can_spend_money_at(Region.carpenter, 2500) & self.has([Material.stone, Material.wood, ArtisanGood.cloth]), - Building.shed: self.can_spend_money_at(Region.carpenter, 15000) & self.has(Material.wood), - Building.big_shed: self.can_spend_money_at(Region.carpenter, 20000) & self.has([Material.wood, Material.stone]) & self.has_building(Building.shed), - Building.silo: self.can_spend_money_at(Region.carpenter, 100) & self.has([Material.stone, Material.clay, MetalBar.copper]), - Building.slime_hutch: self.can_spend_money_at(Region.carpenter, 10000) & self.has([Material.stone, MetalBar.quartz, MetalBar.iridium]), - Building.stable: self.can_spend_money_at(Region.carpenter, 10000) & self.has([Material.hardwood, MetalBar.iron]), - Building.well: self.can_spend_money_at(Region.carpenter, 1000) & self.has(Material.stone), - Building.shipping_bin: self.can_spend_money_at(Region.carpenter, 250) & self.has(Material.wood), - Building.kitchen: self.can_spend_money_at(Region.carpenter, 10000) & self.has(Material.wood) & self.has_house(0), - Building.kids_room: self.can_spend_money_at(Region.carpenter, 50000) & self.has(Material.hardwood) & self.has_house(1), - Building.cellar: self.can_spend_money_at(Region.carpenter, 100000) & self.has_house(2), - }) - - self.building_rules.update(get_modded_building_rules(self, self.options.mods)) - - self.quest_rules.update({ - Quest.introductions: self.can_reach_region(Region.town), - Quest.how_to_win_friends: self.can_complete_quest(Quest.introductions), - Quest.getting_started: self.has(Vegetable.parsnip) & self.has_tool(Tool.hoe) & self.can_water(0), - Quest.to_the_beach: self.can_reach_region(Region.beach), - Quest.raising_animals: self.can_complete_quest(Quest.getting_started) & self.has_building(Building.coop), - Quest.advancement: self.can_complete_quest(Quest.getting_started) & self.has(Craftable.scarecrow), - Quest.archaeology: (self.has_tool(Tool.hoe) | self.can_mine_in_the_mines_floor_1_40() | self.can_fish()) & self.can_reach_region(Region.museum), - Quest.meet_the_wizard: self.can_reach_region(Region.town) & self.can_reach_region(Region.community_center) & self.can_reach_region(Region.wizard_tower), - Quest.forging_ahead: self.has(Ore.copper) & self.has(Machine.furnace), - Quest.smelting: self.has(MetalBar.copper), - Quest.initiation: self.can_mine_in_the_mines_floor_1_40(), - Quest.robins_lost_axe: self.has_season(Season.spring) & self.can_reach_region(Region.forest) & self.can_meet(NPC.robin), - Quest.jodis_request: self.has_season(Season.spring) & self.has(Vegetable.cauliflower) & self.can_meet(NPC.jodi), - Quest.mayors_shorts: self.has_season(Season.summer) & self.can_reach_region(Region.ranch) & - (self.has_relationship(NPC.marnie, 2) | (magic.can_blink(self))) & self.can_meet(NPC.lewis), - Quest.blackberry_basket: self.has_season(Season.fall) & self.can_meet(NPC.linus), - Quest.marnies_request: self.has_relationship(NPC.marnie, 3) & self.has(Forageable.cave_carrot) & self.can_reach_region(Region.ranch), - Quest.pam_is_thirsty: self.has_season(Season.summer) & self.has(ArtisanGood.pale_ale) & self.can_meet(NPC.pam), - Quest.a_dark_reagent: self.has_season(Season.winter) & self.has(Loot.void_essence) & self.can_meet(NPC.wizard), - Quest.cows_delight: self.has_season(Season.fall) & self.has(Vegetable.amaranth) & self.can_meet(NPC.marnie), - Quest.the_skull_key: self.received(Wallet.skull_key) & self.can_reach_region(Region.skull_cavern_entrance), - Quest.crop_research: self.has_season(Season.summer) & self.has(Fruit.melon) & self.can_meet(NPC.demetrius), - Quest.knee_therapy: self.has_season(Season.summer) & self.has(Fruit.hot_pepper) & self.can_meet(NPC.george), - Quest.robins_request: self.has_season(Season.winter) & self.has(Material.hardwood) & self.can_meet(NPC.robin), - Quest.qis_challenge: self.can_mine_in_the_skull_cavern(), - Quest.the_mysterious_qi: self.can_reach_region(Region.bus_tunnel) & self.has(ArtisanGood.battery_pack) & self.can_reach_region(Region.desert) & self.has(Forageable.rainbow_shell) & self.has(Vegetable.beet) & self.has(Loot.solar_essence), - Quest.carving_pumpkins: self.has_season(Season.fall) & self.has(Vegetable.pumpkin) & self.can_meet(NPC.caroline), - Quest.a_winter_mystery: self.has_season(Season.winter) & self.can_reach_region(Region.town), - Quest.strange_note: self.has(Forageable.secret_note) & self.can_reach_region(Region.secret_woods) & self.has(ArtisanGood.maple_syrup), - Quest.cryptic_note: self.has(Forageable.secret_note) & self.can_reach_region(Region.skull_cavern_100), - Quest.fresh_fruit: self.has_season(Season.spring) & self.has(Fruit.apricot) & self.can_meet(NPC.emily), - Quest.aquatic_research: self.has_season(Season.summer) & self.has(Fish.pufferfish) & self.can_meet(NPC.demetrius), - Quest.a_soldiers_star: self.has_season(Season.summer) & self.has_year_two() & self.has(Fruit.starfruit) & self.can_meet(NPC.kent), - Quest.mayors_need: self.has_season(Season.summer) & self.has(ArtisanGood.truffle_oil) & self.can_meet(NPC.lewis), - Quest.wanted_lobster: self.has_season(Season.fall) & self.has_season(Season.fall) & self.has(Fish.lobster) & self.can_meet(NPC.gus), - Quest.pam_needs_juice: self.has_season(Season.fall) & self.has(ArtisanGood.battery_pack) & self.can_meet(NPC.pam), - Quest.fish_casserole: self.has_relationship(NPC.jodi, 4) & self.has(Fish.largemouth_bass) & self.can_reach_region(Region.sam_house), - Quest.catch_a_squid: self.has_season(Season.winter) & self.has(Fish.squid) & self.can_meet(NPC.willy), - Quest.fish_stew: self.has_season(Season.winter) & self.has(Fish.albacore) & self.can_meet(NPC.gus), - Quest.pierres_notice: self.has_season(Season.spring) & self.has("Sashimi") & self.can_meet(NPC.pierre), - Quest.clints_attempt: self.has_season(Season.winter) & self.has(Mineral.amethyst) & self.can_meet(NPC.emily), - Quest.a_favor_for_clint: self.has_season(Season.winter) & self.has(MetalBar.iron) & self.can_meet(NPC.clint), - Quest.staff_of_power: self.has_season(Season.winter) & self.has(MetalBar.iridium) & self.can_meet(NPC.wizard), - Quest.grannys_gift: self.has_season(Season.spring) & self.has(Forageable.leek) & self.can_meet(NPC.evelyn), - Quest.exotic_spirits: self.has_season(Season.winter) & self.has(Forageable.coconut) & self.can_meet(NPC.gus), - Quest.catch_a_lingcod: self.has_season(Season.winter) & self.has("Lingcod") & self.can_meet(NPC.willy), - Quest.dark_talisman: self.has_rusty_key() & self.can_reach_region(Region.railroad) & self.can_meet(NPC.krobus) & self.can_reach_region(Region.mutant_bug_lair), - Quest.goblin_problem: self.can_reach_region(Region.witch_swamp) & self.has(ArtisanGood.void_mayonnaise), - Quest.magic_ink: self.can_reach_region(Region.witch_hut) & self.can_meet(NPC.wizard), - Quest.the_pirates_wife: self.can_reach_region(Region.island_west) & self.can_meet(NPC.kent) & - self.can_meet(NPC.gus) & self.can_meet(NPC.sandy) & self.can_meet(NPC.george) & - self.can_meet(NPC.wizard) & self.can_meet(NPC.willy), - }) - - self.quest_rules.update(get_modded_quest_rules(self, self.options.mods)) - - self.festival_rules.update({ - FestivalCheck.egg_hunt: self.has_season(Season.spring) & self.can_reach_region(Region.town) & self.can_win_egg_hunt(), - FestivalCheck.strawberry_seeds: self.has_season(Season.spring) & self.can_reach_region(Region.town) & self.can_spend_money(1000), - FestivalCheck.dance: self.has_season(Season.spring) & self.can_reach_region(Region.forest) & self.has_relationship(Generic.bachelor, 4), - FestivalCheck.rarecrow_5: self.has_season(Season.spring) & self.can_reach_region(Region.forest) & self.can_spend_money(2500), - FestivalCheck.luau_soup: self.has_season(Season.summer) & self.can_reach_region(Region.beach) & self.can_succeed_luau_soup(), - FestivalCheck.moonlight_jellies: self.has_season(Season.summer) & self.can_reach_region(Region.beach), - FestivalCheck.smashing_stone: self.has_season(Season.fall) & self.can_reach_region(Region.town), - FestivalCheck.grange_display: self.has_season(Season.fall) & self.can_reach_region(Region.town) & self.can_succeed_grange_display(), - FestivalCheck.rarecrow_1: self.has_season(Season.fall) & self.can_reach_region(Region.town), # only cost star tokens - FestivalCheck.fair_stardrop: self.has_season(Season.fall) & self.can_reach_region(Region.town), # only cost star tokens - FestivalCheck.spirit_eve_maze: self.has_season(Season.fall) & self.can_reach_region(Region.town), - FestivalCheck.rarecrow_2: self.has_season(Season.fall) & self.can_reach_region(Region.town) & self.can_spend_money(5000), - FestivalCheck.fishing_competition: self.has_season(Season.winter) & self.can_reach_region(Region.forest) & self.can_win_fishing_competition(), - FestivalCheck.rarecrow_4: self.has_season(Season.winter) & self.can_reach_region(Region.forest) & self.can_spend_money(5000), - FestivalCheck.mermaid_pearl: self.has_season(Season.winter) & self.can_reach_region(Region.beach), - FestivalCheck.cone_hat: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.can_spend_money(2500), - FestivalCheck.iridium_fireplace: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.can_spend_money(15000), - FestivalCheck.rarecrow_7: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.can_spend_money(5000) & self.can_donate_museum_artifacts(20), - FestivalCheck.rarecrow_8: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.can_spend_money(5000) & self.can_donate_museum_items(40), - FestivalCheck.lupini_red_eagle: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.can_spend_money(1200), - FestivalCheck.lupini_portrait_mermaid: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.can_spend_money(1200), - FestivalCheck.lupini_solar_kingdom: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.can_spend_money(1200), - FestivalCheck.lupini_clouds: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.has_year_two() & self.can_spend_money(1200), - FestivalCheck.lupini_1000_years: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.has_year_two() & self.can_spend_money(1200), - FestivalCheck.lupini_three_trees: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.has_year_two() & self.can_spend_money(1200), - FestivalCheck.lupini_the_serpent: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.has_year_three() & self.can_spend_money(1200), - FestivalCheck.lupini_tropical_fish: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.has_year_three() & self.can_spend_money(1200), - FestivalCheck.lupini_land_of_clay: self.has_season(Season.winter) & self.can_reach_region(Region.beach) & self.has_year_three() & self.can_spend_money(1200), - FestivalCheck.secret_santa: self.has_season(Season.winter) & self.can_reach_region(Region.town) & self.has_any_universal_love(), - FestivalCheck.legend_of_the_winter_star: self.has_season(Season.winter) & self.can_reach_region(Region.town), - FestivalCheck.all_rarecrows: self.can_reach_region(Region.farm) & self.has_all_rarecrows(), - }) - - self.special_order_rules.update({ - SpecialOrder.island_ingredients: self.can_meet(NPC.caroline) & self.has_island_transport() & self.can_farm_perfectly() & - self.can_ship(Vegetable.taro_root) & self.can_ship(Fruit.pineapple) & self.can_ship(Forageable.ginger), - SpecialOrder.cave_patrol: self.can_meet(NPC.clint) & self.can_mine_perfectly() & self.can_mine_to_floor(120), - SpecialOrder.aquatic_overpopulation: self.can_meet(NPC.demetrius) & self.can_fish_perfectly(), - SpecialOrder.biome_balance: self.can_meet(NPC.demetrius) & self.can_fish_perfectly(), - SpecialOrder.rock_rejuivenation: self.has_relationship(NPC.emily, 4) & self.has(Mineral.ruby) & self.has(Mineral.topaz) & - self.has(Mineral.emerald) & self.has(Mineral.jade) & self.has(Mineral.amethyst) & - self.has(ArtisanGood.cloth) & self.can_reach_region(Region.haley_house), - SpecialOrder.gifts_for_george: self.can_reach_region(Region.alex_house) & self.has_season(Season.spring) & self.has(Forageable.leek), - SpecialOrder.fragments_of_the_past: self.can_reach_region(Region.museum) & self.can_reach_region(Region.dig_site) & self.has_tool(Tool.pickaxe), - SpecialOrder.gus_famous_omelet: self.can_reach_region(Region.saloon) & self.has(AnimalProduct.any_egg), - SpecialOrder.crop_order: self.can_farm_perfectly() & self.can_ship(), - SpecialOrder.community_cleanup: self.can_reach_region(Region.railroad) & self.can_crab_pot(), - SpecialOrder.the_strong_stuff: self.can_reach_region(Region.trailer) & self.can_keg(Vegetable.potato), - SpecialOrder.pierres_prime_produce: self.can_reach_region(Region.pierre_store) & self.can_farm_perfectly(), - SpecialOrder.robins_project: self.can_meet(NPC.robin) & self.can_reach_region(Region.carpenter) & self.can_chop_perfectly() & - self.has(Material.hardwood), - SpecialOrder.robins_resource_rush: self.can_meet(NPC.robin) & self.can_reach_region(Region.carpenter) & self.can_chop_perfectly() & - self.has(Fertilizer.tree) & self.can_mine_perfectly(), - SpecialOrder.juicy_bugs_wanted_yum: self.can_reach_region(Region.beach) & self.has(Loot.bug_meat), - SpecialOrder.tropical_fish: self.can_meet(NPC.willy) & self.received("Island Resort") & self.has_island_transport() & - self.has(Fish.stingray) & self.has(Fish.blue_discus) & self.has(Fish.lionfish), - SpecialOrder.a_curious_substance: self.can_reach_region(Region.wizard_tower) & self.can_mine_perfectly() & self.can_mine_to_floor(80), - SpecialOrder.prismatic_jelly: self.can_reach_region(Region.wizard_tower) & self.can_mine_perfectly() & self.can_mine_to_floor(40), - SpecialOrder.qis_crop: self.can_farm_perfectly() & self.can_reach_region(Region.greenhouse) & - self.can_reach_region(Region.island_west) & self.has_total_skill_level(50) & - self.has(Machine.seed_maker) & self.has_building(Building.shipping_bin), - SpecialOrder.lets_play_a_game: self.has_junimo_kart_max_level(), - SpecialOrder.four_precious_stones: self.has_lived_months(MAX_MONTHS) & self.has("Prismatic Shard") & - self.can_mine_perfectly_in_the_skull_cavern(), - SpecialOrder.qis_hungry_challenge: self.can_mine_perfectly_in_the_skull_cavern() & self.has_max_buffs(), - SpecialOrder.qis_cuisine: self.can_cook() & (self.can_spend_money_at(Region.saloon, 205000) | self.can_spend_money_at(Region.pierre_store, 170000)) & - self.can_ship(), - SpecialOrder.qis_kindness: self.can_give_loved_gifts_to_everyone(), - SpecialOrder.extended_family: self.can_fish_perfectly() & self.has(Fish.angler) & self.has(Fish.glacierfish) & - self.has(Fish.crimsonfish) & self.has(Fish.mutant_carp) & self.has(Fish.legend), - SpecialOrder.danger_in_the_deep: self.can_mine_perfectly() & self.has_mine_elevator_to_floor(120), - SpecialOrder.skull_cavern_invasion: self.can_mine_perfectly_in_the_skull_cavern() & self.has_max_buffs(), - SpecialOrder.qis_prismatic_grange: self.has(Loot.bug_meat) & # 100 Bug Meat - self.can_spend_money_at(Region.saloon, 24000) & # 100 Spaghetti - self.can_spend_money_at(Region.blacksmith, 15000) & # 100 Copper Ore - self.can_spend_money_at(Region.ranch, 5000) & # 100 Hay - self.can_spend_money_at(Region.saloon, 22000) & # 100 Salads - self.can_spend_money_at(Region.saloon, 7500) & # 100 Joja Cola - self.can_spend_money(80000), # I need this extra rule because money rules aren't additive... - }) - - self.special_order_rules.update(get_modded_special_orders_rules(self, self.options.mods)) - - def has(self, items: Union[str, (Iterable[str], Sized)], count: Optional[int] = None) -> StardewRule: - if isinstance(items, str): - return Has(items, self.item_rules) - - if len(items) == 0: - return True_() - - if count is None or count == len(items): - return And(self.has(item) for item in items) - - if count == 1: - return Or(self.has(item) for item in items) - - return Count(count, (self.has(item) for item in items)) - - def received(self, items: Union[str, Iterable[str]], count: Optional[int] = 1) -> StardewRule: - if count <= 0 or not items: - return True_() - - if isinstance(items, str): - return Received(items, self.player, count) - - if count is None: - return And(self.received(item) for item in items) - - if count == 1: - return Or(self.received(item) for item in items) - - return TotalReceived(count, items, self.player) - - def can_reach_region(self, spot: str) -> StardewRule: - return Reach(spot, "Region", self.player) - - def can_reach_any_region(self, spots: Iterable[str]) -> StardewRule: - return Or(self.can_reach_region(spot) for spot in spots) - - def can_reach_all_regions(self, spots: Iterable[str]) -> StardewRule: - return And(self.can_reach_region(spot) for spot in spots) - - def can_reach_all_regions_except_one(self, spots: Iterable[str]) -> StardewRule: - num_required = len(list(spots)) - 1 - if num_required <= 0: - num_required = len(list(spots)) - return Count(num_required, [self.can_reach_region(spot) for spot in spots]) - - def can_reach_location(self, spot: str) -> StardewRule: - return Reach(spot, "Location", self.player) - - def can_reach_entrance(self, spot: str) -> StardewRule: - return Reach(spot, "Entrance", self.player) - - def can_have_earned_total_money(self, amount: int) -> StardewRule: - return self.has_lived_months(min(8, amount // MONEY_PER_MONTH)) - - def can_spend_money(self, amount: int) -> StardewRule: - if self.options.starting_money == -1: - return True_() - return self.has_lived_months(min(8, amount // (MONEY_PER_MONTH // 5))) - - def can_spend_money_at(self, region: str, amount: int) -> StardewRule: - return self.can_reach_region(region) & self.can_spend_money(amount) - - def has_tool(self, tool: str, material: str = ToolMaterial.basic) -> StardewRule: - if material == ToolMaterial.basic or tool == Tool.scythe: - return True_() - - if self.options.tool_progression == ToolProgression.option_progressive: - return self.received(f"Progressive {tool}", count=tool_materials[material]) - - return self.has(f"{material} Bar") & self.can_spend_money(tool_upgrade_prices[material]) - - def can_earn_skill_level(self, skill: str, level: int) -> StardewRule: - if level <= 0: - return True_() - - tool_level = (level - 1) // 2 - tool_material = ToolMaterial.tiers[tool_level] - months = max(1, level - 1) - months_rule = self.has_lived_months(months) - previous_level_rule = self.has_skill_level(skill, level - 1) - - if skill == Skill.fishing: - xp_rule = self.can_get_fishing_xp() & self.has_tool(Tool.fishing_rod, ToolMaterial.tiers[max(tool_level, 3)]) - elif skill == Skill.farming: - xp_rule = self.can_get_farming_xp() & self.has_tool(Tool.hoe, tool_material) & self.can_water(tool_level) - elif skill == Skill.foraging: - xp_rule = self.can_get_foraging_xp() & \ - (self.has_tool(Tool.axe, tool_material) | magic.can_use_clear_debris_instead_of_tool_level(self, tool_level)) - elif skill == Skill.mining: - xp_rule = self.can_get_mining_xp() & \ - (self.has_tool(Tool.pickaxe, tool_material) | magic.can_use_clear_debris_instead_of_tool_level(self, tool_level)) - elif skill == Skill.combat: - combat_tier = Performance.tiers[tool_level] - xp_rule = self.can_get_combat_xp() & self.can_do_combat_at_level(combat_tier) - else: - xp_rule = skills.can_earn_mod_skill_level(self, skill, level) - - return previous_level_rule & months_rule & xp_rule - - def has_skill_level(self, skill: str, level: int) -> StardewRule: - if level <= 0: - return True_() - - if self.options.skill_progression == SkillProgression.option_progressive: - return self.received(f"{skill} Level", count=level) - - return self.can_earn_skill_level(skill, level) - - def has_farming_level(self, level: int) -> StardewRule: - return self.has_skill_level(Skill.farming, level) - - def has_total_skill_level(self, level: int, allow_modded_skills: bool = False) -> StardewRule: - if level <= 0: - return True_() - - if self.options.skill_progression == SkillProgression.option_progressive: - skills_items = ["Farming Level", "Mining Level", "Foraging Level", - "Fishing Level", "Combat Level"] - if allow_modded_skills: - skills.append_mod_skill_level(skills_items, self.options) - return self.received(skills_items, count=level) - - months_with_4_skills = max(1, (level // 4) - 1) - months_with_5_skills = max(1, (level // 5) - 1) - rule_with_fishing = self.has_lived_months(months_with_5_skills) & self.can_get_fishing_xp() - if level > 40: - return rule_with_fishing - return self.has_lived_months(months_with_4_skills) | rule_with_fishing - - def has_building(self, building: str) -> StardewRule: - carpenter_rule = self.can_reach_region(Region.carpenter) - if not self.options.building_progression == BuildingProgression.option_vanilla: - count = 1 - if building in [Building.coop, Building.barn, Building.shed]: - building = f"Progressive {building}" - elif building.startswith("Big"): - count = 2 - building = " ".join(["Progressive", *building.split(" ")[1:]]) - elif building.startswith("Deluxe"): - count = 3 - building = " ".join(["Progressive", *building.split(" ")[1:]]) - return self.received(f"{building}", count) & carpenter_rule - - return Has(building, self.building_rules) & carpenter_rule - - def has_house(self, upgrade_level: int) -> StardewRule: - if upgrade_level < 1: - return True_() - - if upgrade_level > 3: - return False_() - - if not self.options.building_progression == BuildingProgression.option_vanilla: - return self.received(f"Progressive House", upgrade_level) & self.can_reach_region(Region.carpenter) - - if upgrade_level == 1: - return Has(Building.kitchen, self.building_rules) - - if upgrade_level == 2: - return Has(Building.kids_room, self.building_rules) - - # if upgrade_level == 3: - return Has(Building.cellar, self.building_rules) - - def can_complete_quest(self, quest: str) -> StardewRule: - return Has(quest, self.quest_rules) - - def can_complete_special_order(self, specialorder: str) -> StardewRule: - return Has(specialorder, self.special_order_rules) - - def can_get_farming_xp(self) -> StardewRule: - crop_rules = [] - for crop in all_crops: - crop_rules.append(self.can_grow_crop(crop)) - return Or(crop_rules) - - def can_get_foraging_xp(self) -> StardewRule: - tool_rule = self.has_tool(Tool.axe) - tree_rule = self.can_reach_region(Region.forest) & self.has_any_season_not_winter() - stump_rule = self.can_reach_region(Region.secret_woods) & self.has_tool(Tool.axe, ToolMaterial.copper) - return tool_rule & (tree_rule | stump_rule) - - def can_get_mining_xp(self) -> StardewRule: - tool_rule = self.has_tool(Tool.pickaxe) - stone_rule = self.can_reach_any_region([Region.mines_floor_5, Region.quarry, Region.skull_cavern_25, Region.volcano_floor_5]) - return tool_rule & stone_rule - - def can_get_combat_xp(self) -> StardewRule: - tool_rule = self.has_any_weapon() - enemy_rule = self.can_reach_any_region([Region.mines_floor_5, Region.skull_cavern_25, Region.volcano_floor_5]) - return tool_rule & enemy_rule - - def can_get_fishing_xp(self) -> StardewRule: - if self.options.skill_progression == SkillProgression.option_progressive: - return self.can_fish() | self.can_crab_pot() - - return self.can_fish() - - def can_fish(self, difficulty: int = 0) -> StardewRule: - skill_required = max(0, int((difficulty / 10) - 1)) - if difficulty <= 40: - skill_required = 0 - skill_rule = self.has_skill_level(Skill.fishing, skill_required) - region_rule = self.can_reach_any_region(fishing_regions) - number_fishing_rod_required = 1 if difficulty < 50 else 2 - if self.options.tool_progression == ToolProgression.option_progressive: - return self.received("Progressive Fishing Rod", number_fishing_rod_required) & skill_rule & region_rule - - return skill_rule & region_rule - - def can_fish_in_freshwater(self) -> StardewRule: - return self.can_fish() & self.can_reach_any_region([Region.forest, Region.town, Region.mountain]) - - def has_max_fishing(self) -> StardewRule: - skill_rule = self.has_skill_level(Skill.fishing, 10) - return self.has_max_fishing_rod() & skill_rule - - def can_fish_chests(self) -> StardewRule: - skill_rule = self.has_skill_level(Skill.fishing, 4) - return self.has_max_fishing_rod() & skill_rule - - def can_buy_seed(self, seed: SeedItem) -> StardewRule: - if self.options.cropsanity == Cropsanity.option_disabled: - item_rule = True_() - else: - item_rule = self.received(seed.name) - season_rule = self.has_any_season(seed.seasons) - region_rule = self.can_reach_all_regions(seed.regions) - currency_rule = self.can_spend_money(1000) - if seed.name == Seed.pineapple: - currency_rule = self.has(Forageable.magma_cap) - if seed.name == Seed.taro: - currency_rule = self.has(Fossil.bone_fragment) - return season_rule & region_rule & item_rule & currency_rule - - def can_buy_sapling(self, fruit: str) -> StardewRule: - sapling_prices = {Fruit.apple: 4000, Fruit.apricot: 2000, Fruit.cherry: 3400, Fruit.orange: 4000, - Fruit.peach: 6000, - Fruit.pomegranate: 6000, Fruit.banana: 0, Fruit.mango: 0} - received_sapling = self.received(f"{fruit} Sapling") - if self.options.cropsanity == Cropsanity.option_disabled: - allowed_buy_sapling = True_() - else: - allowed_buy_sapling = received_sapling - can_buy_sapling = self.can_spend_money_at(Region.pierre_store, sapling_prices[fruit]) - if fruit == Fruit.banana: - can_buy_sapling = self.has_island_trader() & self.has(Forageable.dragon_tooth) - elif fruit == Fruit.mango: - can_buy_sapling = self.has_island_trader() & self.has(Fish.mussel_node) - - return allowed_buy_sapling & can_buy_sapling - - def can_grow_crop(self, crop: CropItem) -> StardewRule: - season_rule = self.has_any_season(crop.farm_growth_seasons) - seed_rule = self.has(crop.seed.name) - farm_rule = self.can_reach_region(Region.farm) & season_rule - tool_rule = self.has_tool(Tool.hoe) & self.has_tool(Tool.watering_can) - region_rule = farm_rule | self.can_reach_region(Region.greenhouse) | self.can_reach_region(Region.island_west) - return seed_rule & region_rule & tool_rule - - def can_plant_and_grow_item(self, seasons: Union[str, Iterable[str]]) -> StardewRule: - if isinstance(seasons, str): - seasons = [seasons] - season_rule = self.has_any_season(seasons) | self.can_reach_region(Region.greenhouse) | self.has_island_farm() - farm_rule = self.can_reach_region(Region.farm) | self.can_reach_region( - Region.greenhouse) | self.has_island_farm() - return season_rule & farm_rule - - def has_island_farm(self) -> StardewRule: - return self.can_reach_region(Region.island_south) - - def can_catch_fish(self, fish: FishItem) -> StardewRule: - region_rule = self.can_reach_any_region(fish.locations) - season_rule = self.has_any_season(fish.seasons) - if fish.difficulty == -1: - difficulty_rule = self.can_crab_pot() - else: - difficulty_rule = self.can_fish(fish.difficulty) - return region_rule & season_rule & difficulty_rule - - def can_catch_every_fish(self) -> StardewRule: - rules = [self.has_skill_level(Skill.fishing, 10), self.has_max_fishing_rod()] - for fish in all_fish: - if self.options.exclude_ginger_island == ExcludeGingerIsland.option_true and \ - fish in island_fish: - continue - rules.append(self.can_catch_fish(fish)) - return And(rules) - - def has_max_fishing_rod(self) -> StardewRule: - if self.options.tool_progression == ToolProgression.option_progressive: - return self.received(APTool.fishing_rod, 4) - return self.can_get_fishing_xp() - - def can_cook(self, recipe: CookingRecipe = None) -> StardewRule: - cook_rule = self.has_house(1) | self.has_skill_level(Skill.foraging, 9) - if recipe is None: - return cook_rule - - learn_rule = self.can_learn_recipe(recipe.source) - ingredients_rule = And([self.has(ingredient) for ingredient in recipe.ingredients]) - number_ingredients = sum(recipe.ingredients[ingredient] for ingredient in recipe.ingredients) - time_rule = self.has_lived_months(number_ingredients) - return cook_rule & learn_rule & ingredients_rule & time_rule - - def can_learn_recipe(self, source: RecipeSource) -> StardewRule: - if isinstance(source, StarterSource): - return True_() - if isinstance(source, ShopSource): - return self.can_spend_money_at(source.region, source.price) - if isinstance(source, SkillSource): - return self.has_skill_level(source.skill, source.level) - if isinstance(source, FriendshipSource): - return self.has_relationship(source.friend, source.hearts) - if isinstance(source, QueenOfSauceSource): - year_rule = self.has_year_two() if source.year == 2 else self.has_year_three() - return self.can_watch(Channel.queen_of_sauce) & self.has_season(source.season) & year_rule - - return False_() - - def can_watch(self, channel: str = None): - tv_rule = True_() - if channel is None: - return tv_rule - return self.received(channel) & tv_rule - - def can_smelt(self, item: str) -> StardewRule: - return self.has(Machine.furnace) & self.has(item) - - def can_do_panning(self, item: str = Generic.any) -> StardewRule: - return self.received("Glittering Boulder Removed") - - def can_crab_pot(self, region: str = Generic.any) -> StardewRule: - crab_pot_rule = self.has(Craftable.bait) - if self.options.skill_progression == SkillProgression.option_progressive: - crab_pot_rule = crab_pot_rule & self.has(Machine.crab_pot) - else: - crab_pot_rule = crab_pot_rule & self.can_get_fishing_xp() - - if region != Generic.any: - return crab_pot_rule & self.can_reach_region(region) - - water_region_rules = self.can_reach_any_region(fishing_regions) - return crab_pot_rule & water_region_rules - - # Regions - def can_mine_in_the_mines_floor_1_40(self) -> StardewRule: - return self.can_reach_region(Region.mines_floor_5) - - def can_mine_in_the_mines_floor_41_80(self) -> StardewRule: - return self.can_reach_region(Region.mines_floor_45) - - def can_mine_in_the_mines_floor_81_120(self) -> StardewRule: - return self.can_reach_region(Region.mines_floor_85) - - def can_mine_in_the_skull_cavern(self) -> StardewRule: - return (self.can_progress_in_the_mines_from_floor(120) & - self.can_reach_region(Region.skull_cavern)) - - def can_mine_perfectly(self) -> StardewRule: - return self.can_progress_in_the_mines_from_floor(160) - - def can_mine_perfectly_in_the_skull_cavern(self) -> StardewRule: - return (self.can_mine_perfectly() & - self.can_reach_region(Region.skull_cavern)) - - def can_farm_perfectly(self) -> StardewRule: - tool_rule = self.has_tool(Tool.hoe, ToolMaterial.iridium) & self.can_water(4) - return tool_rule & self.has_farming_level(10) - - def can_fish_perfectly(self) -> StardewRule: - skill_rule = self.has_skill_level(Skill.fishing, 10) - return skill_rule & self.has_max_fishing_rod() - - def can_chop_trees(self) -> StardewRule: - return self.has_tool(Tool.axe) & self.can_reach_region(Region.forest) - - def can_chop_perfectly(self) -> StardewRule: - magic_rule = (magic.can_use_clear_debris_instead_of_tool_level(self, 3)) & self.has_skill_level(ModSkill.magic, 10) - tool_rule = self.has_tool(Tool.axe, ToolMaterial.iridium) - foraging_rule = self.has_skill_level(Skill.foraging, 10) - region_rule = self.can_reach_region(Region.forest) - return region_rule & ((tool_rule & foraging_rule) | magic_rule) - - def has_max_buffs(self) -> StardewRule: - return self.received(Buff.movement, self.options.movement_buff_number.value) & self.received(Buff.luck, self.options.luck_buff_number.value) - - def get_weapon_rule_for_floor_tier(self, tier: int): - if tier >= 4: - return self.can_do_combat_at_level(Performance.galaxy) - if tier >= 3: - return self.can_do_combat_at_level(Performance.great) - if tier >= 2: - return self.can_do_combat_at_level(Performance.good) - if tier >= 1: - return self.can_do_combat_at_level(Performance.decent) - return self.can_do_combat_at_level(Performance.basic) - - def can_progress_in_the_mines_from_floor(self, floor: int) -> StardewRule: - tier = int(floor / 40) - rules = [] - weapon_rule = self.get_weapon_rule_for_floor_tier(tier) - rules.append(weapon_rule) - if self.options.tool_progression == ToolProgression.option_progressive: - rules.append(self.has_tool(Tool.pickaxe, ToolMaterial.tiers[tier])) - if self.options.skill_progression == SkillProgression.option_progressive: - combat_tier = min(10, max(0, tier * 2)) - rules.append(self.has_skill_level(Skill.combat, combat_tier)) - return And(rules) - - def can_progress_easily_in_the_mines_from_floor(self, floor: int) -> StardewRule: - tier = int(floor / 40) + 1 - rules = [] - weapon_rule = self.get_weapon_rule_for_floor_tier(tier) - rules.append(weapon_rule) - if self.options.tool_progression == ToolProgression.option_progressive: - rules.append(self.has_tool(Tool.pickaxe, ToolMaterial.tiers[tier])) - if self.options.skill_progression == SkillProgression.option_progressive: - combat_tier = min(10, max(0, tier * 2)) - rules.append(self.has_skill_level(Skill.combat, combat_tier)) - return And(rules) - - def has_mine_elevator_to_floor(self, floor: int) -> StardewRule: - if self.options.elevator_progression != ElevatorProgression.option_vanilla: - return self.received("Progressive Mine Elevator", count=int(floor / 5)) - return True_() - - def can_mine_to_floor(self, floor: int) -> StardewRule: - previous_elevator = max(floor - 5, 0) - previous_previous_elevator = max(floor - 10, 0) - return ((self.has_mine_elevator_to_floor(previous_elevator) & - self.can_progress_in_the_mines_from_floor(previous_elevator)) | - (self.has_mine_elevator_to_floor(previous_previous_elevator) & - self.can_progress_easily_in_the_mines_from_floor(previous_previous_elevator))) - - def can_progress_in_the_skull_cavern_from_floor(self, floor: int) -> StardewRule: - tier = floor // 50 - rules = [] - weapon_rule = self.has_great_weapon() - rules.append(weapon_rule) - rules.append(self.can_cook()) - if self.options.tool_progression == ToolProgression.option_progressive: - rules.append(self.received("Progressive Pickaxe", min(4, max(0, tier + 2)))) - if self.options.skill_progression == SkillProgression.option_progressive: - skill_tier = min(10, max(0, tier * 2 + 6)) - rules.extend({self.has_skill_level(Skill.combat, skill_tier), - self.has_skill_level(Skill.mining, skill_tier)}) - return And(rules) - - def can_progress_easily_in_the_skull_cavern_from_floor(self, floor: int) -> StardewRule: - return self.can_progress_in_the_skull_cavern_from_floor(floor + 50) - - def can_mine_to_skull_cavern_floor(self, floor: int) -> StardewRule: - previous_elevator = max(floor - 25, 0) - previous_previous_elevator = max(floor - 50, 0) - has_mine_elevator = self.has_mine_elevator_to_floor(5) # Skull Cavern Elevator menu needs a normal elevator... - return ((has_skull_cavern_elevator_to_floor(self, previous_elevator) & - self.can_progress_in_the_skull_cavern_from_floor(previous_elevator)) | - (has_skull_cavern_elevator_to_floor(self, previous_previous_elevator) & - self.can_progress_easily_in_the_skull_cavern_from_floor(previous_previous_elevator))) & has_mine_elevator - - def has_jotpk_power_level(self, power_level: int) -> StardewRule: - if self.options.arcade_machine_locations != ArcadeMachineLocations.option_full_shuffling: - return True_() - jotpk_buffs = ["JotPK: Progressive Boots", "JotPK: Progressive Gun", - "JotPK: Progressive Ammo", "JotPK: Extra Life", "JotPK: Increased Drop Rate"] - return self.received(jotpk_buffs, power_level) - - def has_junimo_kart_power_level(self, power_level: int) -> StardewRule: - if self.options.arcade_machine_locations != ArcadeMachineLocations.option_full_shuffling: - return True_() - return self.received("Junimo Kart: Extra Life", power_level) - - def has_junimo_kart_max_level(self) -> StardewRule: - play_rule = self.can_reach_region(Region.junimo_kart_3) - if self.options.arcade_machine_locations != ArcadeMachineLocations.option_full_shuffling: - return play_rule - return self.has_junimo_kart_power_level(8) - - def has_traveling_merchant(self, tier: int = 1): - traveling_merchant_days = [f"Traveling Merchant: {day}" for day in Weekday.all_days] - return self.received(traveling_merchant_days, tier) - - def can_get_married(self) -> StardewRule: - return self.has_relationship(Generic.bachelor, 10) & self.has(Gift.mermaid_pendant) - - def has_children(self, number_children: int) -> StardewRule: - if number_children <= 0: - return True_() - possible_kids = ["Cute Baby", "Ugly Baby"] - return self.received(possible_kids, number_children) & self.has_house(2) - - def can_reproduce(self, number_children: int = 1) -> StardewRule: - if number_children <= 0: - return True_() - return self.can_get_married() & self.has_house(2) & self.has_relationship(Generic.bachelor, 12) & self.has_children(number_children - 1) - - def has_relationship(self, npc: str, hearts: int = 1) -> StardewRule: - if hearts <= 0: - return True_() - friendsanity = self.options.friendsanity - if friendsanity == Friendsanity.option_none: - return self.can_earn_relationship(npc, hearts) - if npc not in all_villagers_by_name: - if npc == NPC.pet: - if friendsanity == Friendsanity.option_bachelors: - return self.can_befriend_pet(hearts) - return self.received_hearts(NPC.pet, hearts) - if npc == Generic.any or npc == Generic.bachelor: - possible_friends = [] - for name in all_villagers_by_name: - if not self.npc_is_in_current_slot(name): - continue - if npc == Generic.any or all_villagers_by_name[name].bachelor: - possible_friends.append(self.has_relationship(name, hearts)) - return Or(possible_friends) - if npc == Generic.all: - mandatory_friends = [] - for name in all_villagers_by_name: - if not self.npc_is_in_current_slot(name): - continue - mandatory_friends.append(self.has_relationship(name, hearts)) - return And(mandatory_friends) - if npc.isnumeric(): - possible_friends = [] - for name in all_villagers_by_name: - if not self.npc_is_in_current_slot(name): - continue - possible_friends.append(self.has_relationship(name, hearts)) - return Count(int(npc), possible_friends) - return self.can_earn_relationship(npc, hearts) - - if not self.npc_is_in_current_slot(npc): - return True_() - villager = all_villagers_by_name[npc] - if friendsanity == Friendsanity.option_bachelors and not villager.bachelor: - return self.can_earn_relationship(npc, hearts) - if friendsanity == Friendsanity.option_starting_npcs and not villager.available: - return self.can_earn_relationship(npc, hearts) - is_capped_at_8 = villager.bachelor and friendsanity != Friendsanity.option_all_with_marriage - if is_capped_at_8 and hearts > 8: - return self.received_hearts(villager, 8) & self.can_earn_relationship(npc, hearts) - return self.received_hearts(villager, hearts) - - def received_hearts(self, npc: Union[str, Villager], hearts: int) -> StardewRule: - if isinstance(npc, Villager): - return self.received_hearts(npc.name, hearts) - heart_size = self.options.friendsanity_heart_size.value - return self.received(self.heart(npc), math.ceil(hearts / heart_size)) - - def can_meet(self, npc: str) -> StardewRule: - if npc not in all_villagers_by_name or not self.npc_is_in_current_slot(npc): - return True_() - villager = all_villagers_by_name[npc] - rules = [self.can_reach_any_region(villager.locations)] - if npc == NPC.kent: - rules.append(self.has_year_two()) - elif npc == NPC.leo: - rules.append(self.received("Island West Turtle")) - - return And(rules) - - def can_give_loved_gifts_to_everyone(self) -> StardewRule: - rules = [] - for npc in all_villagers_by_name: - if not self.npc_is_in_current_slot(npc): - continue - villager = all_villagers_by_name[npc] - gift_rule = self.has_any_universal_love() - meet_rule = self.can_meet(npc) - rules.append(meet_rule & gift_rule) - loved_gifts_rules = And(rules) - simplified_rules = loved_gifts_rules.simplify() - return simplified_rules - - def can_earn_relationship(self, npc: str, hearts: int = 0) -> StardewRule: - if hearts <= 0: - return True_() - - heart_size = self.options.friendsanity_heart_size.value - previous_heart = hearts - heart_size - previous_heart_rule = self.has_relationship(npc, previous_heart) - - if npc == NPC.pet: - earn_rule = self.can_befriend_pet(hearts) - elif npc == NPC.wizard and ModNames.magic in self.options.mods: - earn_rule = self.can_meet(npc) & self.has_lived_months(hearts) - elif npc in all_villagers_by_name: - if not self.npc_is_in_current_slot(npc): - return previous_heart_rule - villager = all_villagers_by_name[npc] - rule_if_birthday = self.has_season(villager.birthday) & self.has_any_universal_love() & self.has_lived_months(hearts // 2) - rule_if_not_birthday = self.has_lived_months(hearts) - earn_rule = self.can_meet(npc) & (rule_if_birthday | rule_if_not_birthday) - if villager.bachelor: - if hearts > 8: - earn_rule = earn_rule & self.can_date(npc) - if hearts > 10: - earn_rule = earn_rule & self.can_marry(npc) - else: - earn_rule = self.has_lived_months(min(hearts // 2, 8)) - - return previous_heart_rule & earn_rule - - def can_date(self, npc: str) -> StardewRule: - return self.has_relationship(npc, 8) & self.has(Gift.bouquet) - - def can_marry(self, npc: str) -> StardewRule: - return self.has_relationship(npc, 10) & self.has(Gift.mermaid_pendant) - - def can_befriend_pet(self, hearts: int): - if hearts <= 0: - return True_() - points = hearts * 200 - points_per_month = 12 * 14 - points_per_water_month = 18 * 14 - return self.can_reach_region(Region.farm) & \ - ((self.can_water(0) & self.has_lived_months(points // points_per_water_month)) | - self.has_lived_months(points // points_per_month)) - - def can_complete_bundle(self, bundle_requirements: List[BundleItem], number_required: int) -> StardewRule: - item_rules = [] - highest_quality_yet = 0 - can_speak_junimo = self.can_reach_region(Region.wizard_tower) - for bundle_item in bundle_requirements: - if bundle_item.item.item_id == -1: - return can_speak_junimo & self.can_spend_money(bundle_item.amount) - else: - item_rules.append(bundle_item.item.name) - if bundle_item.quality > highest_quality_yet: - highest_quality_yet = bundle_item.quality - return can_speak_junimo & self.has(item_rules, number_required) & self.can_grow_gold_quality(highest_quality_yet) - - def can_grow_gold_quality(self, quality: int) -> StardewRule: - if quality <= 0: - return True_() - if quality == 1: - return self.has_farming_level(5) | (self.has_fertilizer(1) & self.has_farming_level(2)) | ( - self.has_fertilizer(2) & self.has_farming_level(1)) | self.has_fertilizer(3) - if quality == 2: - return self.has_farming_level(10) | (self.has_fertilizer(1) & self.has_farming_level(5)) | ( - self.has_fertilizer(2) & self.has_farming_level(3)) | ( - self.has_fertilizer(3) & self.has_farming_level(2)) - if quality >= 3: - return self.has_fertilizer(3) & self.has_farming_level(4) - - def has_fertilizer(self, tier: int) -> StardewRule: - if tier <= 0: - return True_() - if tier == 1: - return self.has(Fertilizer.basic) - if tier == 2: - return self.has(Fertilizer.quality) - if tier >= 3: - return self.has(Fertilizer.deluxe) - - def can_complete_field_office(self) -> StardewRule: - field_office = self.can_reach_region(Region.field_office) - professor_snail = self.received("Open Professor Snail Cave") - dig_site = self.can_reach_region(Region.dig_site) - tools = self.has_tool(Tool.pickaxe) & self.has_tool(Tool.hoe) & self.has_tool(Tool.scythe) - leg_and_snake_skull = dig_site - ribs_and_spine = self.can_reach_region(Region.island_south) - skull = self.can_open_geode(Geode.golden_coconut) - tail = self.can_do_panning() & dig_site - frog = self.can_reach_region(Region.island_east) - bat = self.can_reach_region(Region.volcano_floor_5) - snake_vertebrae = self.can_reach_region(Region.island_west) - return field_office & professor_snail & tools & leg_and_snake_skull & ribs_and_spine & skull & tail & frog & bat & snake_vertebrae - - def can_complete_community_center(self) -> StardewRule: - return (self.can_reach_location("Complete Crafts Room") & - self.can_reach_location("Complete Pantry") & - self.can_reach_location("Complete Fish Tank") & - self.can_reach_location("Complete Bulletin Board") & - self.can_reach_location("Complete Vault") & - self.can_reach_location("Complete Boiler Room")) - - def can_finish_grandpa_evaluation(self) -> StardewRule: - # https://stardewvalleywiki.com/Grandpa - rules_worth_a_point = [self.can_have_earned_total_money(50000), # 50 000g - self.can_have_earned_total_money(100000), # 100 000g - self.can_have_earned_total_money(200000), # 200 000g - self.can_have_earned_total_money(300000), # 300 000g - self.can_have_earned_total_money(500000), # 500 000g - self.can_have_earned_total_money(1000000), # 1 000 000g first point - self.can_have_earned_total_money(1000000), # 1 000 000g second point - self.has_total_skill_level(30), # Total Skills: 30 - self.has_total_skill_level(50), # Total Skills: 50 - self.can_complete_museum(), # Completing the museum for a point - # Catching every fish not expected - # Shipping every item not expected - self.can_get_married() & self.has_house(2), - self.has_relationship("5", 8), # 5 Friends - self.has_relationship("10", 8), # 10 friends - self.has_relationship(NPC.pet, 5), # Max Pet - self.can_complete_community_center(), # Community Center Completion - self.can_complete_community_center(), # CC Ceremony first point - self.can_complete_community_center(), # CC Ceremony second point - self.received(Wallet.skull_key), # Skull Key obtained - self.has_rusty_key(), # Rusty key obtained - ] - return Count(12, rules_worth_a_point) - - def has_island_transport(self) -> StardewRule: - return self.received(Transportation.island_obelisk) | self.received(Transportation.boat_repair) - - def has_any_weapon(self) -> StardewRule: - return self.has_decent_weapon() | self.received(item.name for item in all_items if Group.WEAPON in item.groups) - - def has_decent_weapon(self) -> StardewRule: - return (self.has_good_weapon() | - self.received(item.name for item in all_items - if Group.WEAPON in item.groups and - (Group.MINES_FLOOR_50 in item.groups or Group.MINES_FLOOR_60 in item.groups))) - - def has_good_weapon(self) -> StardewRule: - return ((self.has_great_weapon() | - self.received(item.name for item in all_items - if Group.WEAPON in item.groups and - (Group.MINES_FLOOR_80 in item.groups or Group.MINES_FLOOR_90 in item.groups))) & - self.received("Adventurer's Guild")) - - def has_great_weapon(self) -> StardewRule: - return ((self.has_galaxy_weapon() | - self.received(item.name for item in all_items - if Group.WEAPON in item.groups and Group.MINES_FLOOR_110 in item.groups)) & - self.received("Adventurer's Guild")) - - def has_galaxy_weapon(self) -> StardewRule: - return (self.received(item.name for item in all_items - if Group.WEAPON in item.groups and Group.GALAXY_WEAPONS in item.groups) & - self.received("Adventurer's Guild")) - - def has_year_two(self) -> StardewRule: - return self.has_lived_months(4) - - def has_year_three(self) -> StardewRule: - return self.has_lived_months(8) - - def can_speak_dwarf(self) -> StardewRule: - return self.received("Dwarvish Translation Guide") - - def can_donate_museum_item(self, item: MuseumItem) -> StardewRule: - return self.can_reach_region(Region.museum) & self.can_find_museum_item(item) - - def can_donate_museum_items(self, number: int) -> StardewRule: - return self.can_reach_region(Region.museum) & self.can_find_museum_items(number) - - def can_donate_museum_artifacts(self, number: int) -> StardewRule: - return self.can_reach_region(Region.museum) & self.can_find_museum_artifacts(number) - - def can_donate_museum_minerals(self, number: int) -> StardewRule: - return self.can_reach_region(Region.museum) & self.can_find_museum_minerals(number) - - def can_find_museum_item(self, item: MuseumItem) -> StardewRule: - region_rule = self.can_reach_all_regions_except_one(item.locations) - geodes_rule = And([self.can_open_geode(geode) for geode in item.geodes]) - # monster_rule = self.can_farm_monster(item.monsters) - # extra_rule = True_() - pan_rule = False_() - if item.name == "Earth Crystal" or item.name == "Fire Quartz" or item.name == "Frozen Tear": - pan_rule = self.can_do_panning() - return pan_rule | (region_rule & geodes_rule) # & monster_rule & extra_rule - - def can_find_museum_artifacts(self, number: int) -> StardewRule: - rules = [] - for artifact in all_museum_artifacts: - rules.append(self.can_find_museum_item(artifact)) - - return Count(number, rules) - - def can_find_museum_minerals(self, number: int) -> StardewRule: - rules = [] - for mineral in all_museum_minerals: - rules.append(self.can_find_museum_item(mineral)) - - return Count(number, rules) - - def can_find_museum_items(self, number: int) -> StardewRule: - rules = [] - for donation in all_museum_items: - rules.append(self.can_find_museum_item(donation)) - - return Count(number, rules) - - def can_complete_museum(self) -> StardewRule: - rules = [self.can_reach_region(Region.museum), self.can_mine_perfectly()] - - if self.options.museumsanity != Museumsanity.option_none: - rules.append(self.received("Traveling Merchant Metal Detector", 4)) - - for donation in all_museum_items: - rules.append(self.can_find_museum_item(donation)) - return And(rules) - - def has_season(self, season: str) -> StardewRule: - if season == Generic.any: - return True_() - seasons_order = [Season.spring, Season.summer, Season.fall, Season.winter] - if self.options.season_randomization == SeasonRandomization.option_progressive: - return self.received(Season.progressive, seasons_order.index(season)) - if self.options.season_randomization == SeasonRandomization.option_disabled: - if season == Season.spring: - return True_() - return self.has_lived_months(1) - return self.received(season) - - def has_any_season(self, seasons: Iterable[str]): - if not seasons: - return True_() - return Or([self.has_season(season) for season in seasons]) - - def has_any_season_not_winter(self): - return self.has_any_season([Season.spring, Season.summer, Season.fall]) - - def has_all_seasons(self, seasons: Iterable[str]): - if not seasons: - return True_() - return And([self.has_season(season) for season in seasons]) - - def has_lived_months(self, number: int) -> StardewRule: - number = max(0, min(number, MAX_MONTHS)) - return self.received("Month End", number) - - def has_rusty_key(self) -> StardewRule: - return self.received(Wallet.rusty_key) - - def can_win_egg_hunt(self) -> StardewRule: - number_of_movement_buffs = self.options.movement_buff_number.value - if self.options.festival_locations == FestivalLocations.option_hard or number_of_movement_buffs < 2: - return True_() - return self.received(Buff.movement, number_of_movement_buffs // 2) - - def can_succeed_luau_soup(self) -> StardewRule: - if self.options.festival_locations != FestivalLocations.option_hard: - return True_() - eligible_fish = [Fish.blobfish, Fish.crimsonfish, "Ice Pip", Fish.lava_eel, Fish.legend, Fish.angler, Fish.catfish, Fish.glacierfish, - Fish.mutant_carp, Fish.spookfish, Fish.stingray, Fish.sturgeon, "Super Cucumber"] - fish_rule = [self.has(fish) for fish in eligible_fish] - eligible_kegables = [Fruit.ancient_fruit, Fruit.apple, Fruit.banana, Forageable.coconut, Forageable.crystal_fruit, Fruit.mango, - Fruit.melon, Fruit.orange, Fruit.peach, Fruit.pineapple, Fruit.pomegranate, Fruit.rhubarb, - Fruit.starfruit, Fruit.strawberry, Forageable.cactus_fruit, - Fruit.cherry, Fruit.cranberries, Fruit.grape, Forageable.spice_berry, Forageable.wild_plum, Vegetable.hops, Vegetable.wheat] - keg_rules = [self.can_keg(kegable) for kegable in eligible_kegables] - aged_rule = [self.can_age(rule, "Iridium") for rule in keg_rules] - # There are a few other valid items but I don't feel like coding them all - return Or(fish_rule) | Or(aged_rule) - - def can_succeed_grange_display(self) -> StardewRule: - if self.options.festival_locations != FestivalLocations.option_hard: - return True_() - animal_rule = self.has_animal(Generic.any) - artisan_rule = self.can_keg(Generic.any) | self.can_preserves_jar(Generic.any) - cooking_rule = True_() # Salads at the bar are good enough - fish_rule = self.can_fish(50) - forage_rule = True_() # Hazelnut always available since the grange display is in fall - mineral_rule = self.can_open_geode(Generic.any) # More than half the minerals are good enough - good_fruits = [Fruit.apple, Fruit.banana, Forageable.coconut, Forageable.crystal_fruit, Fruit.mango, Fruit.orange, Fruit.peach, - Fruit.pomegranate, - Fruit.strawberry, Fruit.melon, Fruit.rhubarb, Fruit.pineapple, Fruit.ancient_fruit, Fruit.starfruit, ] - fruit_rule = Or([self.has(fruit) for fruit in good_fruits]) - good_vegetables = [Vegetable.amaranth, Vegetable.artichoke, Vegetable.beet, Vegetable.cauliflower, Forageable.fiddlehead_fern, Vegetable.kale, - Vegetable.radish, Vegetable.taro_root, Vegetable.yam, Vegetable.red_cabbage, Vegetable.pumpkin] - vegetable_rule = Or([self.has(vegetable) for vegetable in good_vegetables]) - - return animal_rule & artisan_rule & cooking_rule & fish_rule & \ - forage_rule & fruit_rule & mineral_rule & vegetable_rule - - def can_win_fishing_competition(self) -> StardewRule: - return self.can_fish(60) - - def has_any_universal_love(self) -> StardewRule: - return self.has(Gift.golden_pumpkin) | self.has("Magic Rock Candy") | self.has(Gift.pearl) | self.has( - "Prismatic Shard") | self.has(AnimalProduct.rabbit_foot) - - def has_jelly(self) -> StardewRule: - return self.can_preserves_jar(Fruit.any) - - def has_pickle(self) -> StardewRule: - return self.can_preserves_jar(Vegetable.any) - - def can_preserves_jar(self, item: str) -> StardewRule: - machine_rule = self.has(Machine.preserves_jar) - if item == Generic.any: - return machine_rule - if item == Fruit.any: - return machine_rule & self.has(all_fruits, 1) - if item == Vegetable.any: - return machine_rule & self.has(all_vegetables, 1) - return machine_rule & self.has(item) - - def has_wine(self) -> StardewRule: - return self.can_keg(Fruit.any) - - def has_juice(self) -> StardewRule: - return self.can_keg(Vegetable.any) - - def can_keg(self, item: str) -> StardewRule: - machine_rule = self.has(Machine.keg) - if item == Generic.any: - return machine_rule - if item == Fruit.any: - return machine_rule & self.has(all_fruits, 1) - if item == Vegetable.any: - return machine_rule & self.has(all_vegetables, 1) - return machine_rule & self.has(item) - - def can_age(self, item: Union[str, StardewRule], quality: str) -> StardewRule: - months = 1 - if quality == "Gold": - months = 2 - elif quality == "Iridium": - months = 3 - if isinstance(item, str): - rule = self.has(item) - else: - rule: StardewRule = item - return self.has(Machine.cask) & self.has_lived_months(months) & rule - - def can_buy_animal(self, animal: str) -> StardewRule: - price = 0 - building = "" - if animal == Animal.chicken: - price = 800 - building = Building.coop - elif animal == Animal.cow: - price = 1500 - building = Building.barn - elif animal == Animal.goat: - price = 4000 - building = Building.big_barn - elif animal == Animal.duck: - price = 1200 - building = Building.big_coop - elif animal == Animal.sheep: - price = 8000 - building = Building.deluxe_barn - elif animal == Animal.rabbit: - price = 8000 - building = Building.deluxe_coop - elif animal == Animal.pig: - price = 16000 - building = Building.deluxe_barn - else: - return True_() - return self.can_spend_money_at(Region.ranch, price) & self.has_building(building) - - def has_animal(self, animal: str) -> StardewRule: - if animal == Generic.any: - return self.has_any_animal() - elif animal == Building.coop: - return self.has_any_coop_animal() - elif animal == Building.barn: - return self.has_any_barn_animal() - return self.has(animal) - - def has_happy_animal(self, animal: str) -> StardewRule: - return self.has_animal(animal) & self.has(Forageable.hay) - - def has_any_animal(self) -> StardewRule: - return self.has_any_coop_animal() | self.has_any_barn_animal() - - def has_any_coop_animal(self) -> StardewRule: - coop_rule = Or([self.has_animal(coop_animal) for coop_animal in coop_animals]) - return coop_rule - - def has_any_barn_animal(self) -> StardewRule: - barn_rule = Or([self.has_animal(barn_animal) for barn_animal in barn_animals]) - return barn_rule - - def can_open_geode(self, geode: str) -> StardewRule: - blacksmith_access = self.can_reach_region("Clint's Blacksmith") - geodes = [Geode.geode, Geode.frozen, Geode.magma, Geode.omni] - if geode == Generic.any: - return blacksmith_access & Or([self.has(geode_type) for geode_type in geodes]) - return blacksmith_access & self.has(geode) - - def has_island_trader(self) -> StardewRule: - if self.options.exclude_ginger_island == ExcludeGingerIsland.option_true: - return False_() - return self.can_reach_region(Region.island_trader) - - def has_walnut(self, number: int) -> StardewRule: - if self.options.exclude_ginger_island == ExcludeGingerIsland.option_true: - return False_() - if number <= 0: - return True_() - # https://stardewcommunitywiki.com/Golden_Walnut#Walnut_Locations - reach_south = self.can_reach_region(Region.island_south) - reach_north = self.can_reach_region(Region.island_north) - reach_west = self.can_reach_region(Region.island_west) - reach_hut = self.can_reach_region(Region.leo_hut) - reach_southeast = self.can_reach_region(Region.island_south_east) - reach_field_office = self.can_reach_region(Region.field_office) - reach_pirate_cove = self.can_reach_region(Region.pirate_cove) - reach_outside_areas = And(reach_south, reach_north, reach_west, reach_hut) - reach_volcano_regions = [self.can_reach_region(Region.volcano), - self.can_reach_region(Region.volcano_secret_beach), - self.can_reach_region(Region.volcano_floor_5), - self.can_reach_region(Region.volcano_floor_10)] - reach_volcano = Or(reach_volcano_regions) - reach_all_volcano = And(reach_volcano_regions) - reach_walnut_regions = [reach_south, reach_north, reach_west, reach_volcano, reach_field_office] - reach_caves = And(self.can_reach_region(Region.qi_walnut_room), self.can_reach_region(Region.dig_site), - self.can_reach_region(Region.gourmand_frog_cave), - self.can_reach_region(Region.colored_crystals_cave), - self.can_reach_region(Region.shipwreck), self.has(Weapon.any_slingshot)) - reach_entire_island = And(reach_outside_areas, reach_field_office, reach_all_volcano, - reach_caves, reach_southeast, reach_pirate_cove) - if number <= 5: - return Or(reach_south, reach_north, reach_west, reach_volcano) - if number <= 10: - return Count(2, reach_walnut_regions) - if number <= 15: - return Count(3, reach_walnut_regions) - if number <= 20: - return And(reach_walnut_regions) - if number <= 50: - return reach_entire_island - gems = [Mineral.amethyst, Mineral.aquamarine, Mineral.emerald, Mineral.ruby, Mineral.topaz] - return reach_entire_island & self.has(Fruit.banana) & self.has(gems) & self.can_mine_perfectly() & \ - self.can_fish_perfectly() & self.has(Craftable.flute_block) & self.has(Seed.melon) & self.has(Seed.wheat) & self.has(Seed.garlic) & \ - self.can_complete_field_office() - - def has_everything(self, all_progression_items: Set[str]) -> StardewRule: - all_regions = [region.name for region in vanilla_regions] - rules = self.received(all_progression_items, len(all_progression_items)) & \ - self.can_reach_all_regions(all_regions) - return rules - - def heart(self, npc: Union[str, Villager]) -> str: - if isinstance(npc, str): - return f"{npc} <3" - return self.heart(npc.name) - - def can_forage(self, season: str, region: str = Region.forest, need_hoe: bool = False) -> StardewRule: - season_rule = self.has_season(season) - region_rule = self.can_reach_region(region) - if need_hoe: - return season_rule & region_rule & self.has_tool(Tool.hoe) - return season_rule & region_rule - - def npc_is_in_current_slot(self, name: str) -> bool: - npc = all_villagers_by_name[name] - mod = npc.mod_name - return mod is None or mod in self.options.mods - - def can_do_combat_at_level(self, level: str) -> StardewRule: - if level == Performance.basic: - return self.has_any_weapon() | magic.has_any_spell(self) - if level == Performance.decent: - return self.has_decent_weapon() | magic.has_decent_spells(self) - if level == Performance.good: - return self.has_good_weapon() | magic.has_good_spells(self) - if level == Performance.great: - return self.has_great_weapon() | magic.has_great_spells(self) - if level == Performance.galaxy: - return self.has_galaxy_weapon() | magic.has_amazing_spells(self) - - def can_water(self, level: int) -> StardewRule: - tool_rule = self.has_tool(Tool.watering_can, ToolMaterial.tiers[level]) - spell_rule = (self.received(MagicSpell.water) & magic.can_use_altar(self) & self.has_skill_level(ModSkill.magic, level)) - return tool_rule | spell_rule - - def has_prismatic_jelly_reward_access(self) -> StardewRule: - if self.options.special_order_locations == SpecialOrderLocations.option_disabled: - return self.can_complete_special_order("Prismatic Jelly") - return self.received("Monster Musk Recipe") - - def has_all_rarecrows(self) -> StardewRule: - rules = [] - for rarecrow_number in range(1, 9): - rules.append(self.received(f"Rarecrow #{rarecrow_number}")) - return And(rules) - - def can_ship(self, item: str = "") -> StardewRule: - shipping_bin_rule = self.has_building(Building.shipping_bin) - if item == "": - return shipping_bin_rule - return shipping_bin_rule & self.has(item) - diff --git a/worlds/stardew_valley/logic/__init__.py b/worlds/stardew_valley/logic/__init__.py new file mode 100644 index 000000000000..e69de29bb2d1 diff --git a/worlds/stardew_valley/logic/ability_logic.py b/worlds/stardew_valley/logic/ability_logic.py new file mode 100644 index 000000000000..ae12ffee4742 --- /dev/null +++ b/worlds/stardew_valley/logic/ability_logic.py @@ -0,0 +1,46 @@ +from typing import Union + +from .base_logic import BaseLogicMixin, BaseLogic +from .mine_logic import MineLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .skill_logic import SkillLogicMixin +from .tool_logic import ToolLogicMixin +from ..mods.logic.magic_logic import MagicLogicMixin +from ..stardew_rule import StardewRule +from ..strings.region_names import Region +from ..strings.skill_names import Skill, ModSkill +from ..strings.tool_names import ToolMaterial, Tool + + +class AbilityLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.ability = AbilityLogic(*args, **kwargs) + + +class AbilityLogic(BaseLogic[Union[AbilityLogicMixin, RegionLogicMixin, ReceivedLogicMixin, ToolLogicMixin, SkillLogicMixin, MineLogicMixin, MagicLogicMixin]]): + def can_mine_perfectly(self) -> StardewRule: + return self.logic.mine.can_progress_in_the_mines_from_floor(160) + + def can_mine_perfectly_in_the_skull_cavern(self) -> StardewRule: + return (self.logic.ability.can_mine_perfectly() & + self.logic.region.can_reach(Region.skull_cavern)) + + def can_farm_perfectly(self) -> StardewRule: + tool_rule = self.logic.tool.has_tool(Tool.hoe, ToolMaterial.iridium) & self.logic.tool.can_water(4) + return tool_rule & self.logic.skill.has_farming_level(10) + + def can_fish_perfectly(self) -> StardewRule: + skill_rule = self.logic.skill.has_level(Skill.fishing, 10) + return skill_rule & self.logic.tool.has_fishing_rod(4) + + def can_chop_trees(self) -> StardewRule: + return self.logic.tool.has_tool(Tool.axe) & self.logic.region.can_reach(Region.forest) + + def can_chop_perfectly(self) -> StardewRule: + magic_rule = (self.logic.magic.can_use_clear_debris_instead_of_tool_level(3)) & self.logic.mod.skill.has_mod_level(ModSkill.magic, 10) + tool_rule = self.logic.tool.has_tool(Tool.axe, ToolMaterial.iridium) + foraging_rule = self.logic.skill.has_level(Skill.foraging, 10) + region_rule = self.logic.region.can_reach(Region.forest) + return region_rule & ((tool_rule & foraging_rule) | magic_rule) diff --git a/worlds/stardew_valley/logic/action_logic.py b/worlds/stardew_valley/logic/action_logic.py new file mode 100644 index 000000000000..820ae4ead429 --- /dev/null +++ b/worlds/stardew_valley/logic/action_logic.py @@ -0,0 +1,40 @@ +from typing import Union + +from Utils import cache_self1 +from .base_logic import BaseLogic, BaseLogicMixin +from .has_logic import HasLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from ..stardew_rule import StardewRule, True_, Or +from ..strings.generic_names import Generic +from ..strings.geode_names import Geode +from ..strings.region_names import Region + + +class ActionLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.action = ActionLogic(*args, **kwargs) + + +class ActionLogic(BaseLogic[Union[ActionLogicMixin, RegionLogicMixin, ReceivedLogicMixin, HasLogicMixin]]): + + def can_watch(self, channel: str = None): + tv_rule = True_() + if channel is None: + return tv_rule + return self.logic.received(channel) & tv_rule + + def can_pan(self) -> StardewRule: + return self.logic.received("Glittering Boulder Removed") & self.logic.region.can_reach(Region.mountain) + + def can_pan_at(self, region: str) -> StardewRule: + return self.logic.region.can_reach(region) & self.logic.action.can_pan() + + @cache_self1 + def can_open_geode(self, geode: str) -> StardewRule: + blacksmith_access = self.logic.region.can_reach(Region.blacksmith) + geodes = [Geode.geode, Geode.frozen, Geode.magma, Geode.omni] + if geode == Generic.any: + return blacksmith_access & Or(*(self.logic.has(geode_type) for geode_type in geodes)) + return blacksmith_access & self.logic.has(geode) diff --git a/worlds/stardew_valley/logic/animal_logic.py b/worlds/stardew_valley/logic/animal_logic.py new file mode 100644 index 000000000000..eb1ebeeec54b --- /dev/null +++ b/worlds/stardew_valley/logic/animal_logic.py @@ -0,0 +1,59 @@ +from typing import Union + +from .base_logic import BaseLogicMixin, BaseLogic +from .building_logic import BuildingLogicMixin +from .has_logic import HasLogicMixin +from .money_logic import MoneyLogicMixin +from ..stardew_rule import StardewRule, true_ +from ..strings.animal_names import Animal, coop_animals, barn_animals +from ..strings.building_names import Building +from ..strings.forageable_names import Forageable +from ..strings.generic_names import Generic +from ..strings.region_names import Region + +cost_and_building_by_animal = { + Animal.chicken: (800, Building.coop), + Animal.cow: (1500, Building.barn), + Animal.goat: (4000, Building.big_barn), + Animal.duck: (1200, Building.big_coop), + Animal.sheep: (8000, Building.deluxe_barn), + Animal.rabbit: (8000, Building.deluxe_coop), + Animal.pig: (16000, Building.deluxe_barn) +} + + +class AnimalLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.animal = AnimalLogic(*args, **kwargs) + + +class AnimalLogic(BaseLogic[Union[HasLogicMixin, MoneyLogicMixin, BuildingLogicMixin]]): + + def can_buy_animal(self, animal: str) -> StardewRule: + try: + price, building = cost_and_building_by_animal[animal] + except KeyError: + return true_ + return self.logic.money.can_spend_at(Region.ranch, price) & self.logic.building.has_building(building) + + def has_animal(self, animal: str) -> StardewRule: + if animal == Generic.any: + return self.has_any_animal() + elif animal == Building.coop: + return self.has_any_coop_animal() + elif animal == Building.barn: + return self.has_any_barn_animal() + return self.logic.has(animal) + + def has_happy_animal(self, animal: str) -> StardewRule: + return self.has_animal(animal) & self.logic.has(Forageable.hay) + + def has_any_animal(self) -> StardewRule: + return self.has_any_coop_animal() | self.has_any_barn_animal() + + def has_any_coop_animal(self) -> StardewRule: + return self.logic.has_any(*coop_animals) + + def has_any_barn_animal(self) -> StardewRule: + return self.logic.has_any(*barn_animals) diff --git a/worlds/stardew_valley/logic/arcade_logic.py b/worlds/stardew_valley/logic/arcade_logic.py new file mode 100644 index 000000000000..5e6a02a18435 --- /dev/null +++ b/worlds/stardew_valley/logic/arcade_logic.py @@ -0,0 +1,34 @@ +from typing import Union + +from .base_logic import BaseLogic, BaseLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .. import options +from ..stardew_rule import StardewRule, True_ +from ..strings.region_names import Region + + +class ArcadeLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.arcade = ArcadeLogic(*args, **kwargs) + + +class ArcadeLogic(BaseLogic[Union[ArcadeLogicMixin, RegionLogicMixin, ReceivedLogicMixin]]): + + def has_jotpk_power_level(self, power_level: int) -> StardewRule: + if self.options.arcade_machine_locations != options.ArcadeMachineLocations.option_full_shuffling: + return True_() + jotpk_buffs = ("JotPK: Progressive Boots", "JotPK: Progressive Gun", "JotPK: Progressive Ammo", "JotPK: Extra Life", "JotPK: Increased Drop Rate") + return self.logic.received_n(*jotpk_buffs, count=power_level) + + def has_junimo_kart_power_level(self, power_level: int) -> StardewRule: + if self.options.arcade_machine_locations != options.ArcadeMachineLocations.option_full_shuffling: + return True_() + return self.logic.received("Junimo Kart: Extra Life", power_level) + + def has_junimo_kart_max_level(self) -> StardewRule: + play_rule = self.logic.region.can_reach(Region.junimo_kart_3) + if self.options.arcade_machine_locations != options.ArcadeMachineLocations.option_full_shuffling: + return play_rule + return self.logic.arcade.has_junimo_kart_power_level(8) diff --git a/worlds/stardew_valley/logic/artisan_logic.py b/worlds/stardew_valley/logic/artisan_logic.py new file mode 100644 index 000000000000..cdc2186d807a --- /dev/null +++ b/worlds/stardew_valley/logic/artisan_logic.py @@ -0,0 +1,53 @@ +from typing import Union + +from .base_logic import BaseLogic, BaseLogicMixin +from .has_logic import HasLogicMixin +from .time_logic import TimeLogicMixin +from ..stardew_rule import StardewRule +from ..strings.crop_names import all_vegetables, all_fruits, Vegetable, Fruit +from ..strings.generic_names import Generic +from ..strings.machine_names import Machine + + +class ArtisanLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.artisan = ArtisanLogic(*args, **kwargs) + + +class ArtisanLogic(BaseLogic[Union[ArtisanLogicMixin, TimeLogicMixin, HasLogicMixin]]): + + def has_jelly(self) -> StardewRule: + return self.logic.artisan.can_preserves_jar(Fruit.any) + + def has_pickle(self) -> StardewRule: + return self.logic.artisan.can_preserves_jar(Vegetable.any) + + def can_preserves_jar(self, item: str) -> StardewRule: + machine_rule = self.logic.has(Machine.preserves_jar) + if item == Generic.any: + return machine_rule + if item == Fruit.any: + return machine_rule & self.logic.has_any(*all_fruits) + if item == Vegetable.any: + return machine_rule & self.logic.has_any(*all_vegetables) + return machine_rule & self.logic.has(item) + + def has_wine(self) -> StardewRule: + return self.logic.artisan.can_keg(Fruit.any) + + def has_juice(self) -> StardewRule: + return self.logic.artisan.can_keg(Vegetable.any) + + def can_keg(self, item: str) -> StardewRule: + machine_rule = self.logic.has(Machine.keg) + if item == Generic.any: + return machine_rule + if item == Fruit.any: + return machine_rule & self.logic.has_any(*all_fruits) + if item == Vegetable.any: + return machine_rule & self.logic.has_any(*all_vegetables) + return machine_rule & self.logic.has(item) + + def can_mayonnaise(self, item: str) -> StardewRule: + return self.logic.has(Machine.mayonnaise_machine) & self.logic.has(item) diff --git a/worlds/stardew_valley/logic/base_logic.py b/worlds/stardew_valley/logic/base_logic.py new file mode 100644 index 000000000000..57303ce13322 --- /dev/null +++ b/worlds/stardew_valley/logic/base_logic.py @@ -0,0 +1,48 @@ +from __future__ import annotations + +from typing import TypeVar, Generic, Dict, List + +from ..options import StardewValleyOptions +from ..stardew_rule import StardewRule + + +class LogicRegistry: + + def __init__(self): + self.item_rules: Dict[str, StardewRule] = {} + self.sapling_rules: Dict[str, StardewRule] = {} + self.tree_fruit_rules: Dict[str, StardewRule] = {} + self.seed_rules: Dict[str, StardewRule] = {} + self.cooking_rules: Dict[str, StardewRule] = {} + self.crafting_rules: Dict[str, StardewRule] = {} + self.crop_rules: Dict[str, StardewRule] = {} + self.fish_rules: Dict[str, StardewRule] = {} + self.museum_rules: Dict[str, StardewRule] = {} + self.festival_rules: Dict[str, StardewRule] = {} + self.quest_rules: Dict[str, StardewRule] = {} + self.building_rules: Dict[str, StardewRule] = {} + self.special_order_rules: Dict[str, StardewRule] = {} + + self.sve_location_rules: Dict[str, StardewRule] = {} + + +class BaseLogicMixin: + def __init__(self, *args, **kwargs): + pass + + +T = TypeVar("T", bound=BaseLogicMixin) + + +class BaseLogic(BaseLogicMixin, Generic[T]): + player: int + registry: LogicRegistry + options: StardewValleyOptions + logic: T + + def __init__(self, player: int, registry: LogicRegistry, options: StardewValleyOptions, logic: T): + super().__init__(player, registry, options, logic) + self.player = player + self.registry = registry + self.options = options + self.logic = logic diff --git a/worlds/stardew_valley/logic/buff_logic.py b/worlds/stardew_valley/logic/buff_logic.py new file mode 100644 index 000000000000..fee9c9fc4d25 --- /dev/null +++ b/worlds/stardew_valley/logic/buff_logic.py @@ -0,0 +1,23 @@ +from typing import Union + +from .base_logic import BaseLogicMixin, BaseLogic +from .received_logic import ReceivedLogicMixin +from ..stardew_rule import StardewRule +from ..strings.ap_names.buff_names import Buff + + +class BuffLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.buff = BuffLogic(*args, **kwargs) + + +class BuffLogic(BaseLogic[Union[ReceivedLogicMixin]]): + def has_max_buffs(self) -> StardewRule: + return self.has_max_speed() & self.has_max_luck() + + def has_max_speed(self) -> StardewRule: + return self.logic.received(Buff.movement, self.options.movement_buff_number.value) + + def has_max_luck(self) -> StardewRule: + return self.logic.received(Buff.luck, self.options.luck_buff_number.value) diff --git a/worlds/stardew_valley/logic/building_logic.py b/worlds/stardew_valley/logic/building_logic.py new file mode 100644 index 000000000000..7be3d19ec33b --- /dev/null +++ b/worlds/stardew_valley/logic/building_logic.py @@ -0,0 +1,95 @@ +from typing import Dict, Union + +from Utils import cache_self1 +from .base_logic import BaseLogic, BaseLogicMixin +from .has_logic import HasLogicMixin +from .money_logic import MoneyLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from ..options import BuildingProgression +from ..stardew_rule import StardewRule, True_, False_, Has +from ..strings.ap_names.event_names import Event +from ..strings.artisan_good_names import ArtisanGood +from ..strings.building_names import Building +from ..strings.fish_names import WaterItem +from ..strings.material_names import Material +from ..strings.metal_names import MetalBar + + +class BuildingLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.building = BuildingLogic(*args, **kwargs) + + +class BuildingLogic(BaseLogic[Union[BuildingLogicMixin, MoneyLogicMixin, RegionLogicMixin, ReceivedLogicMixin, HasLogicMixin]]): + def initialize_rules(self): + self.registry.building_rules.update({ + # @formatter:off + Building.barn: self.logic.money.can_spend(6000) & self.logic.has_all(Material.wood, Material.stone), + Building.big_barn: self.logic.money.can_spend(12000) & self.logic.has_all(Material.wood, Material.stone) & self.logic.building.has_building(Building.barn), + Building.deluxe_barn: self.logic.money.can_spend(25000) & self.logic.has_all(Material.wood, Material.stone) & self.logic.building.has_building(Building.big_barn), + Building.coop: self.logic.money.can_spend(4000) & self.logic.has_all(Material.wood, Material.stone), + Building.big_coop: self.logic.money.can_spend(10000) & self.logic.has_all(Material.wood, Material.stone) & self.logic.building.has_building(Building.coop), + Building.deluxe_coop: self.logic.money.can_spend(20000) & self.logic.has_all(Material.wood, Material.stone) & self.logic.building.has_building(Building.big_coop), + Building.fish_pond: self.logic.money.can_spend(5000) & self.logic.has_all(Material.stone, WaterItem.seaweed, WaterItem.green_algae), + Building.mill: self.logic.money.can_spend(2500) & self.logic.has_all(Material.stone, Material.wood, ArtisanGood.cloth), + Building.shed: self.logic.money.can_spend(15000) & self.logic.has(Material.wood), + Building.big_shed: self.logic.money.can_spend(20000) & self.logic.has_all(Material.wood, Material.stone) & self.logic.building.has_building(Building.shed), + Building.silo: self.logic.money.can_spend(100) & self.logic.has_all(Material.stone, Material.clay, MetalBar.copper), + Building.slime_hutch: self.logic.money.can_spend(10000) & self.logic.has_all(Material.stone, MetalBar.quartz, MetalBar.iridium), + Building.stable: self.logic.money.can_spend(10000) & self.logic.has_all(Material.hardwood, MetalBar.iron), + Building.well: self.logic.money.can_spend(1000) & self.logic.has(Material.stone), + Building.shipping_bin: self.logic.money.can_spend(250) & self.logic.has(Material.wood), + Building.kitchen: self.logic.money.can_spend(10000) & self.logic.has(Material.wood) & self.logic.building.has_house(0), + Building.kids_room: self.logic.money.can_spend(50000) & self.logic.has(Material.hardwood) & self.logic.building.has_house(1), + Building.cellar: self.logic.money.can_spend(100000) & self.logic.building.has_house(2), + # @formatter:on + }) + + def update_rules(self, new_rules: Dict[str, StardewRule]): + self.registry.building_rules.update(new_rules) + + @cache_self1 + def has_building(self, building: str) -> StardewRule: + # Shipping bin is special. The mod auto-builds it when received, no need to go to Robin. + if building is Building.shipping_bin: + if not self.options.building_progression & BuildingProgression.option_progressive: + return True_() + return self.logic.received(building) + + carpenter_rule = self.logic.received(Event.can_construct_buildings) + if not self.options.building_progression & BuildingProgression.option_progressive: + return Has(building, self.registry.building_rules) & carpenter_rule + + count = 1 + if building in [Building.coop, Building.barn, Building.shed]: + building = f"Progressive {building}" + elif building.startswith("Big"): + count = 2 + building = " ".join(["Progressive", *building.split(" ")[1:]]) + elif building.startswith("Deluxe"): + count = 3 + building = " ".join(["Progressive", *building.split(" ")[1:]]) + return self.logic.received(building, count) & carpenter_rule + + @cache_self1 + def has_house(self, upgrade_level: int) -> StardewRule: + if upgrade_level < 1: + return True_() + + if upgrade_level > 3: + return False_() + + carpenter_rule = self.logic.received(Event.can_construct_buildings) + if self.options.building_progression & BuildingProgression.option_progressive: + return carpenter_rule & self.logic.received(f"Progressive House", upgrade_level) + + if upgrade_level == 1: + return carpenter_rule & Has(Building.kitchen, self.registry.building_rules) + + if upgrade_level == 2: + return carpenter_rule & Has(Building.kids_room, self.registry.building_rules) + + # if upgrade_level == 3: + return carpenter_rule & Has(Building.cellar, self.registry.building_rules) diff --git a/worlds/stardew_valley/logic/bundle_logic.py b/worlds/stardew_valley/logic/bundle_logic.py new file mode 100644 index 000000000000..1ae07cf2ed82 --- /dev/null +++ b/worlds/stardew_valley/logic/bundle_logic.py @@ -0,0 +1,66 @@ +from functools import cached_property +from typing import Union, List + +from .base_logic import BaseLogicMixin, BaseLogic +from .farming_logic import FarmingLogicMixin +from .fishing_logic import FishingLogicMixin +from .has_logic import HasLogicMixin +from .money_logic import MoneyLogicMixin +from .region_logic import RegionLogicMixin +from .skill_logic import SkillLogicMixin +from ..bundles.bundle import Bundle +from ..stardew_rule import StardewRule, And, True_ +from ..strings.currency_names import Currency +from ..strings.machine_names import Machine +from ..strings.quality_names import CropQuality, ForageQuality, FishQuality, ArtisanQuality +from ..strings.region_names import Region + + +class BundleLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.bundle = BundleLogic(*args, **kwargs) + + +class BundleLogic(BaseLogic[Union[HasLogicMixin, RegionLogicMixin, MoneyLogicMixin, FarmingLogicMixin, FishingLogicMixin, SkillLogicMixin]]): + # Should be cached + def can_complete_bundle(self, bundle: Bundle) -> StardewRule: + item_rules = [] + qualities = [] + can_speak_junimo = self.logic.region.can_reach(Region.wizard_tower) + for bundle_item in bundle.items: + if Currency.is_currency(bundle_item.item_name): + return can_speak_junimo & self.logic.money.can_trade(bundle_item.item_name, bundle_item.amount) + + item_rules.append(bundle_item.item_name) + qualities.append(bundle_item.quality) + quality_rules = self.get_quality_rules(qualities) + item_rules = self.logic.has_n(*item_rules, count=bundle.number_required) + return can_speak_junimo & item_rules & quality_rules + + def get_quality_rules(self, qualities: List[str]) -> StardewRule: + crop_quality = CropQuality.get_highest(qualities) + fish_quality = FishQuality.get_highest(qualities) + forage_quality = ForageQuality.get_highest(qualities) + artisan_quality = ArtisanQuality.get_highest(qualities) + quality_rules = [] + if crop_quality != CropQuality.basic: + quality_rules.append(self.logic.farming.can_grow_crop_quality(crop_quality)) + if fish_quality != FishQuality.basic: + quality_rules.append(self.logic.fishing.can_catch_quality_fish(fish_quality)) + if forage_quality != ForageQuality.basic: + quality_rules.append(self.logic.skill.can_forage_quality(forage_quality)) + if artisan_quality != ArtisanQuality.basic: + quality_rules.append(self.logic.has(Machine.cask)) + if not quality_rules: + return True_() + return And(*quality_rules) + + @cached_property + def can_complete_community_center(self) -> StardewRule: + return (self.logic.region.can_reach_location("Complete Crafts Room") & + self.logic.region.can_reach_location("Complete Pantry") & + self.logic.region.can_reach_location("Complete Fish Tank") & + self.logic.region.can_reach_location("Complete Bulletin Board") & + self.logic.region.can_reach_location("Complete Vault") & + self.logic.region.can_reach_location("Complete Boiler Room")) diff --git a/worlds/stardew_valley/logic/combat_logic.py b/worlds/stardew_valley/logic/combat_logic.py new file mode 100644 index 000000000000..ba825192a99e --- /dev/null +++ b/worlds/stardew_valley/logic/combat_logic.py @@ -0,0 +1,57 @@ +from functools import cached_property +from typing import Union + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from ..mods.logic.magic_logic import MagicLogicMixin +from ..stardew_rule import StardewRule, Or, False_ +from ..strings.ap_names.ap_weapon_names import APWeapon +from ..strings.performance_names import Performance + +valid_weapons = (APWeapon.weapon, APWeapon.sword, APWeapon.club, APWeapon.dagger) + + +class CombatLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.combat = CombatLogic(*args, **kwargs) + + +class CombatLogic(BaseLogic[Union[CombatLogicMixin, RegionLogicMixin, ReceivedLogicMixin, MagicLogicMixin]]): + @cache_self1 + def can_fight_at_level(self, level: str) -> StardewRule: + if level == Performance.basic: + return self.logic.combat.has_any_weapon | self.logic.magic.has_any_spell() + if level == Performance.decent: + return self.logic.combat.has_decent_weapon | self.logic.magic.has_decent_spells() + if level == Performance.good: + return self.logic.combat.has_good_weapon | self.logic.magic.has_good_spells() + if level == Performance.great: + return self.logic.combat.has_great_weapon | self.logic.magic.has_great_spells() + if level == Performance.galaxy: + return self.logic.combat.has_galaxy_weapon | self.logic.magic.has_amazing_spells() + if level == Performance.maximum: + return self.logic.combat.has_galaxy_weapon | self.logic.magic.has_amazing_spells() # Someday we will have the ascended weapons in AP + return False_() + + @cached_property + def has_any_weapon(self) -> StardewRule: + return self.logic.received_any(*valid_weapons) + + @cached_property + def has_decent_weapon(self) -> StardewRule: + return Or(*(self.logic.received(weapon, 2) for weapon in valid_weapons)) + + @cached_property + def has_good_weapon(self) -> StardewRule: + return Or(*(self.logic.received(weapon, 3) for weapon in valid_weapons)) + + @cached_property + def has_great_weapon(self) -> StardewRule: + return Or(*(self.logic.received(weapon, 4) for weapon in valid_weapons)) + + @cached_property + def has_galaxy_weapon(self) -> StardewRule: + return Or(*(self.logic.received(weapon, 5) for weapon in valid_weapons)) diff --git a/worlds/stardew_valley/logic/cooking_logic.py b/worlds/stardew_valley/logic/cooking_logic.py new file mode 100644 index 000000000000..55027c36fa8d --- /dev/null +++ b/worlds/stardew_valley/logic/cooking_logic.py @@ -0,0 +1,108 @@ +from functools import cached_property +from typing import Union + +from Utils import cache_self1 +from .action_logic import ActionLogicMixin +from .base_logic import BaseLogicMixin, BaseLogic +from .building_logic import BuildingLogicMixin +from .has_logic import HasLogicMixin +from .money_logic import MoneyLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .relationship_logic import RelationshipLogicMixin +from .season_logic import SeasonLogicMixin +from .skill_logic import SkillLogicMixin +from ..data.recipe_data import RecipeSource, StarterSource, ShopSource, SkillSource, FriendshipSource, \ + QueenOfSauceSource, CookingRecipe, ShopFriendshipSource, \ + all_cooking_recipes_by_name +from ..data.recipe_source import CutsceneSource, ShopTradeSource +from ..locations import locations_by_tag, LocationTags +from ..options import Chefsanity +from ..options import ExcludeGingerIsland +from ..stardew_rule import StardewRule, True_, False_, And +from ..strings.region_names import Region +from ..strings.skill_names import Skill +from ..strings.tv_channel_names import Channel + + +class CookingLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.cooking = CookingLogic(*args, **kwargs) + + +class CookingLogic(BaseLogic[Union[HasLogicMixin, ReceivedLogicMixin, RegionLogicMixin, SeasonLogicMixin, MoneyLogicMixin, ActionLogicMixin, +BuildingLogicMixin, RelationshipLogicMixin, SkillLogicMixin, CookingLogicMixin]]): + @cached_property + def can_cook_in_kitchen(self) -> StardewRule: + return self.logic.building.has_house(1) | self.logic.skill.has_level(Skill.foraging, 9) + + # Should be cached + def can_cook(self, recipe: CookingRecipe = None) -> StardewRule: + cook_rule = self.logic.region.can_reach(Region.kitchen) + if recipe is None: + return cook_rule + + recipe_rule = self.logic.cooking.knows_recipe(recipe.source, recipe.meal) + ingredients_rule = self.logic.has_all(*recipe.ingredients) + return cook_rule & recipe_rule & ingredients_rule + + # Should be cached + def knows_recipe(self, source: RecipeSource, meal_name: str) -> StardewRule: + if self.options.chefsanity == Chefsanity.option_none: + return self.logic.cooking.can_learn_recipe(source) + if isinstance(source, StarterSource): + return self.logic.cooking.received_recipe(meal_name) + if isinstance(source, ShopTradeSource) and self.options.chefsanity & Chefsanity.option_purchases: + return self.logic.cooking.received_recipe(meal_name) + if isinstance(source, ShopSource) and self.options.chefsanity & Chefsanity.option_purchases: + return self.logic.cooking.received_recipe(meal_name) + if isinstance(source, SkillSource) and self.options.chefsanity & Chefsanity.option_skills: + return self.logic.cooking.received_recipe(meal_name) + if isinstance(source, CutsceneSource) and self.options.chefsanity & Chefsanity.option_friendship: + return self.logic.cooking.received_recipe(meal_name) + if isinstance(source, FriendshipSource) and self.options.chefsanity & Chefsanity.option_friendship: + return self.logic.cooking.received_recipe(meal_name) + if isinstance(source, QueenOfSauceSource) and self.options.chefsanity & Chefsanity.option_queen_of_sauce: + return self.logic.cooking.received_recipe(meal_name) + if isinstance(source, ShopFriendshipSource) and self.options.chefsanity & Chefsanity.option_friendship: + return self.logic.cooking.received_recipe(meal_name) + return self.logic.cooking.can_learn_recipe(source) + + @cache_self1 + def can_learn_recipe(self, source: RecipeSource) -> StardewRule: + if isinstance(source, StarterSource): + return True_() + if isinstance(source, ShopTradeSource): + return self.logic.money.can_trade_at(source.region, source.currency, source.price) + if isinstance(source, ShopSource): + return self.logic.money.can_spend_at(source.region, source.price) + if isinstance(source, SkillSource): + return self.logic.skill.has_level(source.skill, source.level) + if isinstance(source, CutsceneSource): + return self.logic.region.can_reach(source.region) & self.logic.relationship.has_hearts(source.friend, source.hearts) + if isinstance(source, FriendshipSource): + return self.logic.relationship.has_hearts(source.friend, source.hearts) + if isinstance(source, QueenOfSauceSource): + return self.logic.action.can_watch(Channel.queen_of_sauce) & self.logic.season.has(source.season) + if isinstance(source, ShopFriendshipSource): + return self.logic.money.can_spend_at(source.region, source.price) & self.logic.relationship.has_hearts(source.friend, source.hearts) + return False_() + + @cache_self1 + def received_recipe(self, meal_name: str): + return self.logic.received(f"{meal_name} Recipe") + + @cached_property + def can_cook_everything(self) -> StardewRule: + cooksanity_prefix = "Cook " + all_recipes_names = [] + exclude_island = self.options.exclude_ginger_island == ExcludeGingerIsland.option_true + for location in locations_by_tag[LocationTags.COOKSANITY]: + if exclude_island and LocationTags.GINGER_ISLAND in location.tags: + continue + if location.mod_name and location.mod_name not in self.options.mods: + continue + all_recipes_names.append(location.name[len(cooksanity_prefix):]) + all_recipes = [all_cooking_recipes_by_name[recipe_name] for recipe_name in all_recipes_names] + return And(*(self.logic.cooking.can_cook(recipe) for recipe in all_recipes)) diff --git a/worlds/stardew_valley/logic/crafting_logic.py b/worlds/stardew_valley/logic/crafting_logic.py new file mode 100644 index 000000000000..8c267b7d1090 --- /dev/null +++ b/worlds/stardew_valley/logic/crafting_logic.py @@ -0,0 +1,111 @@ +from functools import cached_property +from typing import Union + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .has_logic import HasLogicMixin +from .money_logic import MoneyLogicMixin +from .quest_logic import QuestLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .relationship_logic import RelationshipLogicMixin +from .skill_logic import SkillLogicMixin +from .special_order_logic import SpecialOrderLogicMixin +from .. import options +from ..data.craftable_data import CraftingRecipe, all_crafting_recipes_by_name +from ..data.recipe_data import StarterSource, ShopSource, SkillSource, FriendshipSource +from ..data.recipe_source import CutsceneSource, ShopTradeSource, ArchipelagoSource, LogicSource, SpecialOrderSource, \ + FestivalShopSource, QuestSource +from ..locations import locations_by_tag, LocationTags +from ..options import Craftsanity, SpecialOrderLocations, ExcludeGingerIsland +from ..stardew_rule import StardewRule, True_, False_, And +from ..strings.region_names import Region + + +class CraftingLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.crafting = CraftingLogic(*args, **kwargs) + + +class CraftingLogic(BaseLogic[Union[ReceivedLogicMixin, HasLogicMixin, RegionLogicMixin, MoneyLogicMixin, RelationshipLogicMixin, +SkillLogicMixin, SpecialOrderLogicMixin, CraftingLogicMixin, QuestLogicMixin]]): + @cache_self1 + def can_craft(self, recipe: CraftingRecipe = None) -> StardewRule: + if recipe is None: + return True_() + + learn_rule = self.logic.crafting.knows_recipe(recipe) + ingredients_rule = self.logic.has_all(*recipe.ingredients) + return learn_rule & ingredients_rule + + @cache_self1 + def knows_recipe(self, recipe: CraftingRecipe) -> StardewRule: + if isinstance(recipe.source, ArchipelagoSource): + return self.logic.received_all(*recipe.source.ap_item) + if isinstance(recipe.source, FestivalShopSource): + if self.options.festival_locations == options.FestivalLocations.option_disabled: + return self.logic.crafting.can_learn_recipe(recipe) + else: + return self.logic.crafting.received_recipe(recipe.item) + if isinstance(recipe.source, QuestSource): + if self.options.quest_locations < 0: + return self.logic.crafting.can_learn_recipe(recipe) + else: + return self.logic.crafting.received_recipe(recipe.item) + if self.options.craftsanity == Craftsanity.option_none: + return self.logic.crafting.can_learn_recipe(recipe) + if isinstance(recipe.source, StarterSource) or isinstance(recipe.source, ShopTradeSource) or isinstance( + recipe.source, ShopSource): + return self.logic.crafting.received_recipe(recipe.item) + if isinstance(recipe.source, SpecialOrderSource) and self.options.special_order_locations != SpecialOrderLocations.option_disabled: + return self.logic.crafting.received_recipe(recipe.item) + return self.logic.crafting.can_learn_recipe(recipe) + + @cache_self1 + def can_learn_recipe(self, recipe: CraftingRecipe) -> StardewRule: + if isinstance(recipe.source, StarterSource): + return True_() + if isinstance(recipe.source, ArchipelagoSource): + return self.logic.received_all(*recipe.source.ap_item) + if isinstance(recipe.source, ShopTradeSource): + return self.logic.money.can_trade_at(recipe.source.region, recipe.source.currency, recipe.source.price) + if isinstance(recipe.source, ShopSource): + return self.logic.money.can_spend_at(recipe.source.region, recipe.source.price) + if isinstance(recipe.source, SkillSource): + return self.logic.skill.has_level(recipe.source.skill, recipe.source.level) + if isinstance(recipe.source, CutsceneSource): + return self.logic.region.can_reach(recipe.source.region) & self.logic.relationship.has_hearts(recipe.source.friend, recipe.source.hearts) + if isinstance(recipe.source, FriendshipSource): + return self.logic.relationship.has_hearts(recipe.source.friend, recipe.source.hearts) + if isinstance(recipe.source, QuestSource): + return self.logic.quest.can_complete_quest(recipe.source.quest) + if isinstance(recipe.source, SpecialOrderSource): + if self.options.special_order_locations == SpecialOrderLocations.option_disabled: + return self.logic.special_order.can_complete_special_order(recipe.source.special_order) + return self.logic.crafting.received_recipe(recipe.item) + if isinstance(recipe.source, LogicSource): + if recipe.source.logic_rule == "Cellar": + return self.logic.region.can_reach(Region.cellar) + + return False_() + + @cache_self1 + def received_recipe(self, item_name: str): + return self.logic.received(f"{item_name} Recipe") + + @cached_property + def can_craft_everything(self) -> StardewRule: + craftsanity_prefix = "Craft " + all_recipes_names = [] + exclude_island = self.options.exclude_ginger_island == ExcludeGingerIsland.option_true + for location in locations_by_tag[LocationTags.CRAFTSANITY]: + if not location.name.startswith(craftsanity_prefix): + continue + if exclude_island and LocationTags.GINGER_ISLAND in location.tags: + continue + if location.mod_name and location.mod_name not in self.options.mods: + continue + all_recipes_names.append(location.name[len(craftsanity_prefix):]) + all_recipes = [all_crafting_recipes_by_name[recipe_name] for recipe_name in all_recipes_names] + return And(*(self.logic.crafting.can_craft(recipe) for recipe in all_recipes)) diff --git a/worlds/stardew_valley/logic/crop_logic.py b/worlds/stardew_valley/logic/crop_logic.py new file mode 100644 index 000000000000..afcb6aa35449 --- /dev/null +++ b/worlds/stardew_valley/logic/crop_logic.py @@ -0,0 +1,68 @@ +from typing import Union, Iterable + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .has_logic import HasLogicMixin +from .money_logic import MoneyLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .season_logic import SeasonLogicMixin +from .tool_logic import ToolLogicMixin +from .traveling_merchant_logic import TravelingMerchantLogicMixin +from ..data import CropItem, SeedItem +from ..options import Cropsanity, ExcludeGingerIsland +from ..stardew_rule import StardewRule, True_, False_ +from ..strings.forageable_names import Forageable +from ..strings.metal_names import Fossil +from ..strings.region_names import Region +from ..strings.seed_names import Seed +from ..strings.tool_names import Tool + + +class CropLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.crop = CropLogic(*args, **kwargs) + + +class CropLogic(BaseLogic[Union[HasLogicMixin, ReceivedLogicMixin, RegionLogicMixin, TravelingMerchantLogicMixin, SeasonLogicMixin, MoneyLogicMixin, + ToolLogicMixin, CropLogicMixin]]): + @cache_self1 + def can_grow(self, crop: CropItem) -> StardewRule: + season_rule = self.logic.season.has_any(crop.farm_growth_seasons) + seed_rule = self.logic.has(crop.seed.name) + farm_rule = self.logic.region.can_reach(Region.farm) & season_rule + tool_rule = self.logic.tool.has_tool(Tool.hoe) & self.logic.tool.has_tool(Tool.watering_can) + region_rule = farm_rule | self.logic.region.can_reach(Region.greenhouse) | self.logic.crop.has_island_farm() + return seed_rule & region_rule & tool_rule + + def can_plant_and_grow_item(self, seasons: Union[str, Iterable[str]]) -> StardewRule: + if isinstance(seasons, str): + seasons = [seasons] + season_rule = self.logic.season.has_any(seasons) | self.logic.region.can_reach(Region.greenhouse) | self.logic.crop.has_island_farm() + farm_rule = self.logic.region.can_reach(Region.farm) | self.logic.region.can_reach(Region.greenhouse) | self.logic.crop.has_island_farm() + return season_rule & farm_rule + + def has_island_farm(self) -> StardewRule: + if self.options.exclude_ginger_island == ExcludeGingerIsland.option_false: + return self.logic.region.can_reach(Region.island_west) + return False_() + + @cache_self1 + def can_buy_seed(self, seed: SeedItem) -> StardewRule: + if seed.requires_island and self.options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return False_() + if self.options.cropsanity == Cropsanity.option_disabled or seed.name == Seed.qi_bean: + item_rule = True_() + else: + item_rule = self.logic.received(seed.name) + if seed.name == Seed.coffee: + item_rule = item_rule & self.logic.traveling_merchant.has_days(3) + season_rule = self.logic.season.has_any(seed.seasons) + region_rule = self.logic.region.can_reach_all(seed.regions) + currency_rule = self.logic.money.can_spend(1000) + if seed.name == Seed.pineapple: + currency_rule = self.logic.has(Forageable.magma_cap) + if seed.name == Seed.taro: + currency_rule = self.logic.has(Fossil.bone_fragment) + return season_rule & region_rule & item_rule & currency_rule diff --git a/worlds/stardew_valley/logic/farming_logic.py b/worlds/stardew_valley/logic/farming_logic.py new file mode 100644 index 000000000000..b255aa27f785 --- /dev/null +++ b/worlds/stardew_valley/logic/farming_logic.py @@ -0,0 +1,41 @@ +from typing import Union + +from .base_logic import BaseLogicMixin, BaseLogic +from .has_logic import HasLogicMixin +from .skill_logic import SkillLogicMixin +from ..stardew_rule import StardewRule, True_, False_ +from ..strings.fertilizer_names import Fertilizer +from ..strings.quality_names import CropQuality + + +class FarmingLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.farming = FarmingLogic(*args, **kwargs) + + +class FarmingLogic(BaseLogic[Union[HasLogicMixin, SkillLogicMixin, FarmingLogicMixin]]): + def has_fertilizer(self, tier: int) -> StardewRule: + if tier <= 0: + return True_() + if tier == 1: + return self.logic.has(Fertilizer.basic) + if tier == 2: + return self.logic.has(Fertilizer.quality) + if tier >= 3: + return self.logic.has(Fertilizer.deluxe) + + def can_grow_crop_quality(self, quality: str) -> StardewRule: + if quality == CropQuality.basic: + return True_() + if quality == CropQuality.silver: + return self.logic.skill.has_farming_level(5) | (self.logic.farming.has_fertilizer(1) & self.logic.skill.has_farming_level(2)) | ( + self.logic.farming.has_fertilizer(2) & self.logic.skill.has_farming_level(1)) | self.logic.farming.has_fertilizer(3) + if quality == CropQuality.gold: + return self.logic.skill.has_farming_level(10) | ( + self.logic.farming.has_fertilizer(1) & self.logic.skill.has_farming_level(5)) | ( + self.logic.farming.has_fertilizer(2) & self.logic.skill.has_farming_level(3)) | ( + self.logic.farming.has_fertilizer(3) & self.logic.skill.has_farming_level(2)) + if quality == CropQuality.iridium: + return self.logic.farming.has_fertilizer(3) & self.logic.skill.has_farming_level(4) + return False_() diff --git a/worlds/stardew_valley/logic/fishing_logic.py b/worlds/stardew_valley/logic/fishing_logic.py new file mode 100644 index 000000000000..65b3cdc2ac88 --- /dev/null +++ b/worlds/stardew_valley/logic/fishing_logic.py @@ -0,0 +1,100 @@ +from typing import Union, List + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .season_logic import SeasonLogicMixin +from .skill_logic import SkillLogicMixin +from .tool_logic import ToolLogicMixin +from ..data import FishItem, fish_data +from ..locations import LocationTags, locations_by_tag +from ..options import ExcludeGingerIsland, Fishsanity +from ..options import SpecialOrderLocations +from ..stardew_rule import StardewRule, True_, False_, And +from ..strings.fish_names import SVEFish +from ..strings.quality_names import FishQuality +from ..strings.region_names import Region +from ..strings.skill_names import Skill + + +class FishingLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.fishing = FishingLogic(*args, **kwargs) + + +class FishingLogic(BaseLogic[Union[FishingLogicMixin, ReceivedLogicMixin, RegionLogicMixin, SeasonLogicMixin, ToolLogicMixin, SkillLogicMixin]]): + def can_fish_in_freshwater(self) -> StardewRule: + return self.logic.skill.can_fish() & self.logic.region.can_reach_any((Region.forest, Region.town, Region.mountain)) + + def has_max_fishing(self) -> StardewRule: + skill_rule = self.logic.skill.has_level(Skill.fishing, 10) + return self.logic.tool.has_fishing_rod(4) & skill_rule + + def can_fish_chests(self) -> StardewRule: + skill_rule = self.logic.skill.has_level(Skill.fishing, 6) + return self.logic.tool.has_fishing_rod(4) & skill_rule + + def can_fish_at(self, region: str) -> StardewRule: + return self.logic.skill.can_fish() & self.logic.region.can_reach(region) + + @cache_self1 + def can_catch_fish(self, fish: FishItem) -> StardewRule: + quest_rule = True_() + if fish.extended_family: + quest_rule = self.logic.fishing.can_start_extended_family_quest() + region_rule = self.logic.region.can_reach_any(fish.locations) + season_rule = self.logic.season.has_any(fish.seasons) + if fish.difficulty == -1: + difficulty_rule = self.logic.skill.can_crab_pot + else: + difficulty_rule = self.logic.skill.can_fish(difficulty=(120 if fish.legendary else fish.difficulty)) + if fish.name == SVEFish.kittyfish: + item_rule = self.logic.received("Kittyfish Spell") + else: + item_rule = True_() + return quest_rule & region_rule & season_rule & difficulty_rule & item_rule + + def can_start_extended_family_quest(self) -> StardewRule: + if self.options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return False_() + if self.options.special_order_locations != SpecialOrderLocations.option_board_qi: + return False_() + return self.logic.region.can_reach(Region.qi_walnut_room) & And(*(self.logic.fishing.can_catch_fish(fish) for fish in fish_data.legendary_fish)) + + def can_catch_quality_fish(self, fish_quality: str) -> StardewRule: + if fish_quality == FishQuality.basic: + return True_() + rod_rule = self.logic.tool.has_fishing_rod(2) + if fish_quality == FishQuality.silver: + return rod_rule + if fish_quality == FishQuality.gold: + return rod_rule & self.logic.skill.has_level(Skill.fishing, 4) + if fish_quality == FishQuality.iridium: + return rod_rule & self.logic.skill.has_level(Skill.fishing, 10) + return False_() + + def can_catch_every_fish(self) -> StardewRule: + rules = [self.has_max_fishing()] + exclude_island = self.options.exclude_ginger_island == ExcludeGingerIsland.option_true + exclude_extended_family = self.options.special_order_locations != SpecialOrderLocations.option_board_qi + for fish in fish_data.get_fish_for_mods(self.options.mods.value): + if exclude_island and fish in fish_data.island_fish: + continue + if exclude_extended_family and fish in fish_data.extended_family: + continue + rules.append(self.logic.fishing.can_catch_fish(fish)) + return And(*rules) + + def can_catch_every_fish_in_slot(self, all_location_names_in_slot: List[str]) -> StardewRule: + if self.options.fishsanity == Fishsanity.option_none: + return self.can_catch_every_fish() + + rules = [self.has_max_fishing()] + + for fishsanity_location in locations_by_tag[LocationTags.FISHSANITY]: + if fishsanity_location.name not in all_location_names_in_slot: + continue + rules.append(self.logic.region.can_reach_location(fishsanity_location.name)) + return And(*rules) diff --git a/worlds/stardew_valley/logic/gift_logic.py b/worlds/stardew_valley/logic/gift_logic.py new file mode 100644 index 000000000000..527da6876411 --- /dev/null +++ b/worlds/stardew_valley/logic/gift_logic.py @@ -0,0 +1,20 @@ +from functools import cached_property + +from .base_logic import BaseLogic, BaseLogicMixin +from .has_logic import HasLogicMixin +from ..stardew_rule import StardewRule +from ..strings.animal_product_names import AnimalProduct +from ..strings.gift_names import Gift + + +class GiftLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.gifts = GiftLogic(*args, **kwargs) + + +class GiftLogic(BaseLogic[HasLogicMixin]): + + @cached_property + def has_any_universal_love(self) -> StardewRule: + return self.logic.has_any(Gift.golden_pumpkin, Gift.pearl, "Prismatic Shard", AnimalProduct.rabbit_foot) diff --git a/worlds/stardew_valley/logic/has_logic.py b/worlds/stardew_valley/logic/has_logic.py new file mode 100644 index 000000000000..d92d4224d7d2 --- /dev/null +++ b/worlds/stardew_valley/logic/has_logic.py @@ -0,0 +1,34 @@ +from .base_logic import BaseLogic +from ..stardew_rule import StardewRule, And, Or, Has, Count + + +class HasLogicMixin(BaseLogic[None]): + # Should be cached + def has(self, item: str) -> StardewRule: + return Has(item, self.registry.item_rules) + + def has_all(self, *items: str): + assert items, "Can't have all of no items." + + return And(*(self.has(item) for item in items)) + + def has_any(self, *items: str): + assert items, "Can't have any of no items." + + return Or(*(self.has(item) for item in items)) + + def has_n(self, *items: str, count: int): + return self.count(count, *(self.has(item) for item in items)) + + @staticmethod + def count(count: int, *rules: StardewRule) -> StardewRule: + assert rules, "Can't create a Count conditions without rules" + assert len(rules) >= count, "Count need at least as many rules as the count" + + if count == 1: + return Or(*rules) + + if count == len(rules): + return And(*rules) + + return Count(list(rules), count) diff --git a/worlds/stardew_valley/logic/logic.py b/worlds/stardew_valley/logic/logic.py new file mode 100644 index 000000000000..fed032303dbc --- /dev/null +++ b/worlds/stardew_valley/logic/logic.py @@ -0,0 +1,676 @@ +from __future__ import annotations + +from dataclasses import dataclass +from typing import List + +from .ability_logic import AbilityLogicMixin +from .action_logic import ActionLogicMixin +from .animal_logic import AnimalLogicMixin +from .arcade_logic import ArcadeLogicMixin +from .artisan_logic import ArtisanLogicMixin +from .base_logic import LogicRegistry +from .buff_logic import BuffLogicMixin +from .building_logic import BuildingLogicMixin +from .bundle_logic import BundleLogicMixin +from .combat_logic import CombatLogicMixin +from .cooking_logic import CookingLogicMixin +from .crafting_logic import CraftingLogicMixin +from .crop_logic import CropLogicMixin +from .farming_logic import FarmingLogicMixin +from .fishing_logic import FishingLogicMixin +from .gift_logic import GiftLogicMixin +from .has_logic import HasLogicMixin +from .mine_logic import MineLogicMixin +from .money_logic import MoneyLogicMixin +from .monster_logic import MonsterLogicMixin +from .museum_logic import MuseumLogicMixin +from .pet_logic import PetLogicMixin +from .quest_logic import QuestLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .relationship_logic import RelationshipLogicMixin +from .season_logic import SeasonLogicMixin +from .shipping_logic import ShippingLogicMixin +from .skill_logic import SkillLogicMixin +from .special_order_logic import SpecialOrderLogicMixin +from .time_logic import TimeLogicMixin +from .tool_logic import ToolLogicMixin +from .traveling_merchant_logic import TravelingMerchantLogicMixin +from .wallet_logic import WalletLogicMixin +from ..data import all_purchasable_seeds, all_crops +from ..data.craftable_data import all_crafting_recipes +from ..data.crops_data import crops_by_name +from ..data.fish_data import get_fish_for_mods +from ..data.museum_data import all_museum_items +from ..data.recipe_data import all_cooking_recipes +from ..mods.logic.magic_logic import MagicLogicMixin +from ..mods.logic.mod_logic import ModLogicMixin +from ..mods.mod_data import ModNames +from ..options import Cropsanity, SpecialOrderLocations, ExcludeGingerIsland, FestivalLocations, Fishsanity, Friendsanity, StardewValleyOptions +from ..stardew_rule import False_, Or, True_, And, StardewRule +from ..strings.animal_names import Animal +from ..strings.animal_product_names import AnimalProduct +from ..strings.ap_names.ap_weapon_names import APWeapon +from ..strings.ap_names.buff_names import Buff +from ..strings.ap_names.community_upgrade_names import CommunityUpgrade +from ..strings.artisan_good_names import ArtisanGood +from ..strings.building_names import Building +from ..strings.craftable_names import Consumable, Furniture, Ring, Fishing, Lighting, WildSeeds +from ..strings.crop_names import Fruit, Vegetable +from ..strings.currency_names import Currency +from ..strings.decoration_names import Decoration +from ..strings.fertilizer_names import Fertilizer, SpeedGro, RetainingSoil +from ..strings.festival_check_names import FestivalCheck +from ..strings.fish_names import Fish, Trash, WaterItem, WaterChest +from ..strings.flower_names import Flower +from ..strings.food_names import Meal, Beverage +from ..strings.forageable_names import Forageable +from ..strings.fruit_tree_names import Sapling +from ..strings.generic_names import Generic +from ..strings.geode_names import Geode +from ..strings.gift_names import Gift +from ..strings.ingredient_names import Ingredient +from ..strings.machine_names import Machine +from ..strings.material_names import Material +from ..strings.metal_names import Ore, MetalBar, Mineral, Fossil +from ..strings.monster_drop_names import Loot +from ..strings.monster_names import Monster +from ..strings.region_names import Region +from ..strings.season_names import Season +from ..strings.seed_names import Seed, TreeSeed +from ..strings.skill_names import Skill +from ..strings.tool_names import Tool, ToolMaterial +from ..strings.villager_names import NPC +from ..strings.wallet_item_names import Wallet + +MISSING_ITEM = "THIS ITEM IS MISSING" + +fishing_regions = [Region.beach, Region.town, Region.forest, Region.mountain, Region.island_south, Region.island_west] + + +@dataclass(frozen=False, repr=False) +class StardewLogic(ReceivedLogicMixin, HasLogicMixin, RegionLogicMixin, BuffLogicMixin, TravelingMerchantLogicMixin, TimeLogicMixin, + SeasonLogicMixin, MoneyLogicMixin, ActionLogicMixin, ArcadeLogicMixin, ArtisanLogicMixin, GiftLogicMixin, + BuildingLogicMixin, ShippingLogicMixin, RelationshipLogicMixin, MuseumLogicMixin, WalletLogicMixin, AnimalLogicMixin, + CombatLogicMixin, MagicLogicMixin, MonsterLogicMixin, ToolLogicMixin, PetLogicMixin, CropLogicMixin, + SkillLogicMixin, FarmingLogicMixin, BundleLogicMixin, FishingLogicMixin, MineLogicMixin, CookingLogicMixin, AbilityLogicMixin, + SpecialOrderLogicMixin, QuestLogicMixin, CraftingLogicMixin, ModLogicMixin): + player: int + options: StardewValleyOptions + + def __init__(self, player: int, options: StardewValleyOptions): + self.registry = LogicRegistry() + super().__init__(player, self.registry, options, self) + + self.registry.fish_rules.update({fish.name: self.fishing.can_catch_fish(fish) for fish in get_fish_for_mods(self.options.mods.value)}) + self.registry.museum_rules.update({donation.item_name: self.museum.can_find_museum_item(donation) for donation in all_museum_items}) + + for recipe in all_cooking_recipes: + if recipe.mod_name and recipe.mod_name not in self.options.mods: + continue + can_cook_rule = self.cooking.can_cook(recipe) + if recipe.meal in self.registry.cooking_rules: + can_cook_rule = can_cook_rule | self.registry.cooking_rules[recipe.meal] + self.registry.cooking_rules[recipe.meal] = can_cook_rule + + for recipe in all_crafting_recipes: + if recipe.mod_name and recipe.mod_name not in self.options.mods: + continue + can_craft_rule = self.crafting.can_craft(recipe) + if recipe.item in self.registry.crafting_rules: + can_craft_rule = can_craft_rule | self.registry.crafting_rules[recipe.item] + self.registry.crafting_rules[recipe.item] = can_craft_rule + + self.registry.sapling_rules.update({ + Sapling.apple: self.can_buy_sapling(Fruit.apple), + Sapling.apricot: self.can_buy_sapling(Fruit.apricot), + Sapling.cherry: self.can_buy_sapling(Fruit.cherry), + Sapling.orange: self.can_buy_sapling(Fruit.orange), + Sapling.peach: self.can_buy_sapling(Fruit.peach), + Sapling.pomegranate: self.can_buy_sapling(Fruit.pomegranate), + Sapling.banana: self.can_buy_sapling(Fruit.banana), + Sapling.mango: self.can_buy_sapling(Fruit.mango), + }) + + self.registry.tree_fruit_rules.update({ + Fruit.apple: self.crop.can_plant_and_grow_item(Season.fall), + Fruit.apricot: self.crop.can_plant_and_grow_item(Season.spring), + Fruit.cherry: self.crop.can_plant_and_grow_item(Season.spring), + Fruit.orange: self.crop.can_plant_and_grow_item(Season.summer), + Fruit.peach: self.crop.can_plant_and_grow_item(Season.summer), + Fruit.pomegranate: self.crop.can_plant_and_grow_item(Season.fall), + Fruit.banana: self.crop.can_plant_and_grow_item(Season.summer), + Fruit.mango: self.crop.can_plant_and_grow_item(Season.summer), + }) + + for tree_fruit in self.registry.tree_fruit_rules: + existing_rules = self.registry.tree_fruit_rules[tree_fruit] + sapling = f"{tree_fruit} Sapling" + self.registry.tree_fruit_rules[tree_fruit] = existing_rules & self.has(sapling) & self.time.has_lived_months(1) + + self.registry.seed_rules.update({seed.name: self.crop.can_buy_seed(seed) for seed in all_purchasable_seeds}) + self.registry.crop_rules.update({crop.name: self.crop.can_grow(crop) for crop in all_crops}) + self.registry.crop_rules.update({ + Seed.coffee: (self.season.has(Season.spring) | self.season.has(Season.summer)) & self.crop.can_buy_seed(crops_by_name[Seed.coffee].seed), + Fruit.ancient_fruit: (self.received("Ancient Seeds") | self.received("Ancient Seeds Recipe")) & + self.region.can_reach(Region.greenhouse) & self.has(Machine.seed_maker), + }) + + # @formatter:off + self.registry.item_rules.update({ + "Energy Tonic": self.money.can_spend_at(Region.hospital, 1000), + WaterChest.fishing_chest: self.fishing.can_fish_chests(), + WaterChest.treasure: self.fishing.can_fish_chests(), + Ring.hot_java_ring: self.region.can_reach(Region.volcano_floor_10), + "Galaxy Soul": self.money.can_trade_at(Region.qi_walnut_room, Currency.qi_gem, 40), + "JotPK Big Buff": self.arcade.has_jotpk_power_level(7), + "JotPK Max Buff": self.arcade.has_jotpk_power_level(9), + "JotPK Medium Buff": self.arcade.has_jotpk_power_level(4), + "JotPK Small Buff": self.arcade.has_jotpk_power_level(2), + "Junimo Kart Big Buff": self.arcade.has_junimo_kart_power_level(6), + "Junimo Kart Max Buff": self.arcade.has_junimo_kart_power_level(8), + "Junimo Kart Medium Buff": self.arcade.has_junimo_kart_power_level(4), + "Junimo Kart Small Buff": self.arcade.has_junimo_kart_power_level(2), + "Magic Rock Candy": self.region.can_reach(Region.desert) & self.has("Prismatic Shard"), + "Muscle Remedy": self.money.can_spend_at(Region.hospital, 1000), + # self.has(Ingredient.vinegar)), + # self.received("Deluxe Fertilizer Recipe") & self.has(MetalBar.iridium) & self.has(SVItem.sap), + # | (self.ability.can_cook() & self.relationship.has_hearts(NPC.emily, 3) & self.has(Forageable.leek) & self.has(Forageable.dandelion) & + # | (self.ability.can_cook() & self.relationship.has_hearts(NPC.jodi, 7) & self.has(AnimalProduct.cow_milk) & self.has(Ingredient.sugar)), + Animal.chicken: self.animal.can_buy_animal(Animal.chicken), + Animal.cow: self.animal.can_buy_animal(Animal.cow), + Animal.dinosaur: self.building.has_building(Building.big_coop) & self.has(AnimalProduct.dinosaur_egg), + Animal.duck: self.animal.can_buy_animal(Animal.duck), + Animal.goat: self.animal.can_buy_animal(Animal.goat), + Animal.ostrich: self.building.has_building(Building.barn) & self.has(AnimalProduct.ostrich_egg) & self.has(Machine.ostrich_incubator), + Animal.pig: self.animal.can_buy_animal(Animal.pig), + Animal.rabbit: self.animal.can_buy_animal(Animal.rabbit), + Animal.sheep: self.animal.can_buy_animal(Animal.sheep), + AnimalProduct.any_egg: self.has_any(AnimalProduct.chicken_egg, AnimalProduct.duck_egg), + AnimalProduct.brown_egg: self.animal.has_animal(Animal.chicken), + AnimalProduct.chicken_egg: self.has_any(AnimalProduct.egg, AnimalProduct.brown_egg, AnimalProduct.large_egg, AnimalProduct.large_brown_egg), + AnimalProduct.cow_milk: self.has_any(AnimalProduct.milk, AnimalProduct.large_milk), + AnimalProduct.duck_egg: self.animal.has_animal(Animal.duck), + AnimalProduct.duck_feather: self.animal.has_happy_animal(Animal.duck), + AnimalProduct.egg: self.animal.has_animal(Animal.chicken), + AnimalProduct.goat_milk: self.has(Animal.goat), + AnimalProduct.golden_egg: self.received(AnimalProduct.golden_egg) & (self.money.can_spend_at(Region.ranch, 100000) | self.money.can_trade_at(Region.qi_walnut_room, Currency.qi_gem, 100)), + AnimalProduct.large_brown_egg: self.animal.has_happy_animal(Animal.chicken), + AnimalProduct.large_egg: self.animal.has_happy_animal(Animal.chicken), + AnimalProduct.large_goat_milk: self.animal.has_happy_animal(Animal.goat), + AnimalProduct.large_milk: self.animal.has_happy_animal(Animal.cow), + AnimalProduct.milk: self.animal.has_animal(Animal.cow), + AnimalProduct.ostrich_egg: self.tool.can_forage(Generic.any, Region.island_north, True), + AnimalProduct.rabbit_foot: self.animal.has_happy_animal(Animal.rabbit), + AnimalProduct.roe: self.skill.can_fish() & self.building.has_building(Building.fish_pond), + AnimalProduct.squid_ink: self.mine.can_mine_in_the_mines_floor_81_120() | (self.building.has_building(Building.fish_pond) & self.has(Fish.squid)), + AnimalProduct.sturgeon_roe: self.has(Fish.sturgeon) & self.building.has_building(Building.fish_pond), + AnimalProduct.truffle: self.animal.has_animal(Animal.pig) & self.season.has_any_not_winter(), + AnimalProduct.void_egg: self.money.can_spend_at(Region.sewer, 5000) | (self.building.has_building(Building.fish_pond) & self.has(Fish.void_salmon)), + AnimalProduct.wool: self.animal.has_animal(Animal.rabbit) | self.animal.has_animal(Animal.sheep), + AnimalProduct.slime_egg_green: self.has(Machine.slime_egg_press) & self.has(Loot.slime), + AnimalProduct.slime_egg_blue: self.has(Machine.slime_egg_press) & self.has(Loot.slime) & self.time.has_lived_months(3), + AnimalProduct.slime_egg_red: self.has(Machine.slime_egg_press) & self.has(Loot.slime) & self.time.has_lived_months(6), + AnimalProduct.slime_egg_purple: self.has(Machine.slime_egg_press) & self.has(Loot.slime) & self.time.has_lived_months(9), + AnimalProduct.slime_egg_tiger: self.has(Fish.lionfish) & self.building.has_building(Building.fish_pond), + ArtisanGood.aged_roe: self.artisan.can_preserves_jar(AnimalProduct.roe), + ArtisanGood.battery_pack: (self.has(Machine.lightning_rod) & self.season.has_any_not_winter()) | self.has(Machine.solar_panel), + ArtisanGood.caviar: self.artisan.can_preserves_jar(AnimalProduct.sturgeon_roe), + ArtisanGood.cheese: (self.has(AnimalProduct.cow_milk) & self.has(Machine.cheese_press)) | (self.region.can_reach(Region.desert) & self.has(Mineral.emerald)), + ArtisanGood.cloth: (self.has(AnimalProduct.wool) & self.has(Machine.loom)) | (self.region.can_reach(Region.desert) & self.has(Mineral.aquamarine)), + ArtisanGood.dinosaur_mayonnaise: self.artisan.can_mayonnaise(AnimalProduct.dinosaur_egg), + ArtisanGood.duck_mayonnaise: self.artisan.can_mayonnaise(AnimalProduct.duck_egg), + ArtisanGood.goat_cheese: self.has(AnimalProduct.goat_milk) & self.has(Machine.cheese_press), + ArtisanGood.green_tea: self.artisan.can_keg(Vegetable.tea_leaves), + ArtisanGood.honey: self.money.can_spend_at(Region.oasis, 200) | (self.has(Machine.bee_house) & self.season.has_any_not_winter()), + ArtisanGood.jelly: self.artisan.has_jelly(), + ArtisanGood.juice: self.artisan.has_juice(), + ArtisanGood.maple_syrup: self.has(Machine.tapper), + ArtisanGood.mayonnaise: self.artisan.can_mayonnaise(AnimalProduct.chicken_egg), + ArtisanGood.mead: self.artisan.can_keg(ArtisanGood.honey), + ArtisanGood.oak_resin: self.has(Machine.tapper), + ArtisanGood.pale_ale: self.artisan.can_keg(Vegetable.hops), + ArtisanGood.pickles: self.artisan.has_pickle(), + ArtisanGood.pine_tar: self.has(Machine.tapper), + ArtisanGood.truffle_oil: self.has(AnimalProduct.truffle) & self.has(Machine.oil_maker), + ArtisanGood.void_mayonnaise: (self.skill.can_fish(Region.witch_swamp)) | (self.artisan.can_mayonnaise(AnimalProduct.void_egg)), + ArtisanGood.wine: self.artisan.has_wine(), + Beverage.beer: self.artisan.can_keg(Vegetable.wheat) | self.money.can_spend_at(Region.saloon, 400), + Beverage.coffee: self.artisan.can_keg(Seed.coffee) | self.has(Machine.coffee_maker) | (self.money.can_spend_at(Region.saloon, 300)) | self.has("Hot Java Ring"), + Beverage.pina_colada: self.money.can_spend_at(Region.island_resort, 600), + Beverage.triple_shot_espresso: self.has("Hot Java Ring"), + Decoration.rotten_plant: self.has(Lighting.jack_o_lantern) & self.season.has(Season.winter), + Fertilizer.basic: self.money.can_spend_at(Region.pierre_store, 100), + Fertilizer.quality: self.time.has_year_two & self.money.can_spend_at(Region.pierre_store, 150), + Fertilizer.tree: self.skill.has_level(Skill.foraging, 7) & self.has(Material.fiber) & self.has(Material.stone), + Fish.any: Or(*(self.fishing.can_catch_fish(fish) for fish in get_fish_for_mods(self.options.mods.value))), + Fish.crab: self.skill.can_crab_pot_at(Region.beach), + Fish.crayfish: self.skill.can_crab_pot_at(Region.town), + Fish.lobster: self.skill.can_crab_pot_at(Region.beach), + Fish.mussel: self.tool.can_forage(Generic.any, Region.beach) or self.has(Fish.mussel_node), + Fish.mussel_node: self.region.can_reach(Region.island_west), + Fish.oyster: self.tool.can_forage(Generic.any, Region.beach), + Fish.periwinkle: self.skill.can_crab_pot_at(Region.town), + Fish.shrimp: self.skill.can_crab_pot_at(Region.beach), + Fish.snail: self.skill.can_crab_pot_at(Region.town), + Fishing.curiosity_lure: self.monster.can_kill(self.monster.all_monsters_by_name[Monster.mummy]), + Fishing.lead_bobber: self.skill.has_level(Skill.fishing, 6) & self.money.can_spend_at(Region.fish_shop, 200), + Forageable.blackberry: self.tool.can_forage(Season.fall) | self.has_fruit_bats(), + Forageable.cactus_fruit: self.tool.can_forage(Generic.any, Region.desert), + Forageable.cave_carrot: self.tool.can_forage(Generic.any, Region.mines_floor_10, True), + Forageable.chanterelle: self.tool.can_forage(Season.fall, Region.secret_woods) | self.has_mushroom_cave(), + Forageable.coconut: self.tool.can_forage(Generic.any, Region.desert), + Forageable.common_mushroom: self.tool.can_forage(Season.fall) | (self.tool.can_forage(Season.spring, Region.secret_woods)) | self.has_mushroom_cave(), + Forageable.crocus: self.tool.can_forage(Season.winter), + Forageable.crystal_fruit: self.tool.can_forage(Season.winter), + Forageable.daffodil: self.tool.can_forage(Season.spring), + Forageable.dandelion: self.tool.can_forage(Season.spring), + Forageable.dragon_tooth: self.tool.can_forage(Generic.any, Region.volcano_floor_10), + Forageable.fiddlehead_fern: self.tool.can_forage(Season.summer, Region.secret_woods), + Forageable.ginger: self.tool.can_forage(Generic.any, Region.island_west, True), + Forageable.hay: self.building.has_building(Building.silo) & self.tool.has_tool(Tool.scythe), + Forageable.hazelnut: self.tool.can_forage(Season.fall), + Forageable.holly: self.tool.can_forage(Season.winter), + Forageable.journal_scrap: self.region.can_reach_all((Region.island_west, Region.island_north, Region.island_south, Region.volcano_floor_10)) & self.quest.has_magnifying_glass() & (self.ability.can_chop_trees() | self.mine.can_mine_in_the_mines_floor_1_40()), + Forageable.leek: self.tool.can_forage(Season.spring), + Forageable.magma_cap: self.tool.can_forage(Generic.any, Region.volcano_floor_5), + Forageable.morel: self.tool.can_forage(Season.spring, Region.secret_woods) | self.has_mushroom_cave(), + Forageable.purple_mushroom: self.tool.can_forage(Generic.any, Region.mines_floor_95) | self.tool.can_forage(Generic.any, Region.skull_cavern_25) | self.has_mushroom_cave(), + Forageable.rainbow_shell: self.tool.can_forage(Season.summer, Region.beach), + Forageable.red_mushroom: self.tool.can_forage(Season.summer, Region.secret_woods) | self.tool.can_forage(Season.fall, Region.secret_woods) | self.has_mushroom_cave(), + Forageable.salmonberry: self.tool.can_forage(Season.spring) | self.has_fruit_bats(), + Forageable.secret_note: self.quest.has_magnifying_glass() & (self.ability.can_chop_trees() | self.mine.can_mine_in_the_mines_floor_1_40()), + Forageable.snow_yam: self.tool.can_forage(Season.winter, Region.beach, True), + Forageable.spice_berry: self.tool.can_forage(Season.summer) | self.has_fruit_bats(), + Forageable.spring_onion: self.tool.can_forage(Season.spring), + Forageable.sweet_pea: self.tool.can_forage(Season.summer), + Forageable.wild_horseradish: self.tool.can_forage(Season.spring), + Forageable.wild_plum: self.tool.can_forage(Season.fall) | self.has_fruit_bats(), + Forageable.winter_root: self.tool.can_forage(Season.winter, Region.forest, True), + Fossil.bone_fragment: (self.region.can_reach(Region.dig_site) & self.tool.has_tool(Tool.pickaxe)) | self.monster.can_kill(Monster.skeleton), + Fossil.fossilized_leg: self.region.can_reach(Region.dig_site) & self.tool.has_tool(Tool.pickaxe), + Fossil.fossilized_ribs: self.region.can_reach(Region.island_south) & self.tool.has_tool(Tool.hoe), + Fossil.fossilized_skull: self.action.can_open_geode(Geode.golden_coconut), + Fossil.fossilized_spine: self.skill.can_fish(Region.dig_site), + Fossil.fossilized_tail: self.action.can_pan_at(Region.dig_site), + Fossil.mummified_bat: self.region.can_reach(Region.volcano_floor_10), + Fossil.mummified_frog: self.region.can_reach(Region.island_east) & self.tool.has_tool(Tool.scythe), + Fossil.snake_skull: self.region.can_reach(Region.dig_site) & self.tool.has_tool(Tool.hoe), + Fossil.snake_vertebrae: self.region.can_reach(Region.island_west) & self.tool.has_tool(Tool.hoe), + Geode.artifact_trove: self.has(Geode.omni) & self.region.can_reach(Region.desert), + Geode.frozen: self.mine.can_mine_in_the_mines_floor_41_80(), + Geode.geode: self.mine.can_mine_in_the_mines_floor_1_40(), + Geode.golden_coconut: self.region.can_reach(Region.island_north), + Geode.magma: self.mine.can_mine_in_the_mines_floor_81_120() | (self.has(Fish.lava_eel) & self.building.has_building(Building.fish_pond)), + Geode.omni: self.mine.can_mine_in_the_mines_floor_41_80() | self.region.can_reach(Region.desert) | self.action.can_pan() | self.received(Wallet.rusty_key) | (self.has(Fish.octopus) & self.building.has_building(Building.fish_pond)) | self.region.can_reach(Region.volcano_floor_10), + Gift.bouquet: self.relationship.has_hearts(Generic.bachelor, 8) & self.money.can_spend_at(Region.pierre_store, 100), + Gift.golden_pumpkin: self.season.has(Season.fall) | self.action.can_open_geode(Geode.artifact_trove), + Gift.mermaid_pendant: self.region.can_reach(Region.tide_pools) & self.relationship.has_hearts(Generic.bachelor, 10) & self.building.has_house(1) & self.has(Consumable.rain_totem), + Gift.movie_ticket: self.money.can_spend_at(Region.movie_ticket_stand, 1000), + Gift.pearl: (self.has(Fish.blobfish) & self.building.has_building(Building.fish_pond)) | self.action.can_open_geode(Geode.artifact_trove), + Gift.tea_set: self.season.has(Season.winter) & self.time.has_lived_max_months, + Gift.void_ghost_pendant: self.money.can_trade_at(Region.desert, Loot.void_essence, 200) & self.relationship.has_hearts(NPC.krobus, 10), + Gift.wilted_bouquet: self.has(Machine.furnace) & self.has(Gift.bouquet) & self.has(Material.coal), + Ingredient.oil: self.money.can_spend_at(Region.pierre_store, 200) | (self.has(Machine.oil_maker) & (self.has(Vegetable.corn) | self.has(Flower.sunflower) | self.has(Seed.sunflower))), + Ingredient.qi_seasoning: self.money.can_trade_at(Region.qi_walnut_room, Currency.qi_gem, 10), + Ingredient.rice: self.money.can_spend_at(Region.pierre_store, 200) | (self.building.has_building(Building.mill) & self.has(Vegetable.unmilled_rice)), + Ingredient.sugar: self.money.can_spend_at(Region.pierre_store, 100) | (self.building.has_building(Building.mill) & self.has(Vegetable.beet)), + Ingredient.vinegar: self.money.can_spend_at(Region.pierre_store, 200), + Ingredient.wheat_flour: self.money.can_spend_at(Region.pierre_store, 100) | (self.building.has_building(Building.mill) & self.has(Vegetable.wheat)), + Loot.bat_wing: self.mine.can_mine_in_the_mines_floor_41_80() | self.mine.can_mine_in_the_skull_cavern(), + Loot.bug_meat: self.mine.can_mine_in_the_mines_floor_1_40(), + Loot.slime: self.mine.can_mine_in_the_mines_floor_1_40(), + Loot.solar_essence: self.mine.can_mine_in_the_mines_floor_41_80() | self.mine.can_mine_in_the_skull_cavern(), + Loot.void_essence: self.mine.can_mine_in_the_mines_floor_81_120() | self.mine.can_mine_in_the_skull_cavern(), + Machine.bee_house: self.skill.has_farming_level(3) & self.has(MetalBar.iron) & self.has(ArtisanGood.maple_syrup) & self.has(Material.coal) & self.has(Material.wood), + Machine.cask: self.building.has_house(3) & self.region.can_reach(Region.cellar) & self.has(Material.wood) & self.has(Material.hardwood), + Machine.cheese_press: self.skill.has_farming_level(6) & self.has(Material.wood) & self.has(Material.stone) & self.has(Material.hardwood) & self.has(MetalBar.copper), + Machine.coffee_maker: self.received(Machine.coffee_maker), + Machine.crab_pot: self.skill.has_level(Skill.fishing, 3) & (self.money.can_spend_at(Region.fish_shop, 1500) | (self.has(MetalBar.iron) & self.has(Material.wood))), + Machine.furnace: self.has(Material.stone) & self.has(Ore.copper), + Machine.keg: self.skill.has_farming_level(8) & self.has(Material.wood) & self.has(MetalBar.iron) & self.has(MetalBar.copper) & self.has(ArtisanGood.oak_resin), + Machine.lightning_rod: self.skill.has_level(Skill.foraging, 6) & self.has(MetalBar.iron) & self.has(MetalBar.quartz) & self.has(Loot.bat_wing), + Machine.loom: self.skill.has_farming_level(7) & self.has(Material.wood) & self.has(Material.fiber) & self.has(ArtisanGood.pine_tar), + Machine.mayonnaise_machine: self.skill.has_farming_level(2) & self.has(Material.wood) & self.has(Material.stone) & self.has("Earth Crystal") & self.has(MetalBar.copper), + Machine.ostrich_incubator: self.received("Ostrich Incubator Recipe") & self.has(Fossil.bone_fragment) & self.has(Material.hardwood) & self.has(Material.cinder_shard), + Machine.preserves_jar: self.skill.has_farming_level(4) & self.has(Material.wood) & self.has(Material.stone) & self.has(Material.coal), + Machine.recycling_machine: self.skill.has_level(Skill.fishing, 4) & self.has(Material.wood) & self.has(Material.stone) & self.has(MetalBar.iron), + Machine.seed_maker: self.skill.has_farming_level(9) & self.has(Material.wood) & self.has(MetalBar.gold) & self.has(Material.coal), + Machine.solar_panel: self.received("Solar Panel Recipe") & self.has(MetalBar.quartz) & self.has(MetalBar.iron) & self.has(MetalBar.gold), + Machine.tapper: self.skill.has_level(Skill.foraging, 3) & self.has(Material.wood) & self.has(MetalBar.copper), + Machine.worm_bin: self.skill.has_level(Skill.fishing, 8) & self.has(Material.hardwood) & self.has(MetalBar.gold) & self.has(MetalBar.iron) & self.has(Material.fiber), + Machine.enricher: self.money.can_trade_at(Region.qi_walnut_room, Currency.qi_gem, 20), + Machine.pressure_nozzle: self.money.can_trade_at(Region.qi_walnut_room, Currency.qi_gem, 20), + Material.cinder_shard: self.region.can_reach(Region.volcano_floor_5), + Material.clay: self.region.can_reach_any((Region.farm, Region.beach, Region.quarry)) & self.tool.has_tool(Tool.hoe), + Material.coal: self.mine.can_mine_in_the_mines_floor_41_80() | self.action.can_pan(), + Material.fiber: True_(), + Material.hardwood: self.tool.has_tool(Tool.axe, ToolMaterial.copper) & (self.region.can_reach(Region.secret_woods) | self.region.can_reach(Region.island_west)), + Material.sap: self.ability.can_chop_trees(), + Material.stone: self.tool.has_tool(Tool.pickaxe), + Material.wood: self.tool.has_tool(Tool.axe), + Meal.bread: self.money.can_spend_at(Region.saloon, 120), + Meal.ice_cream: (self.season.has(Season.summer) & self.money.can_spend_at(Region.town, 250)) | self.money.can_spend_at(Region.oasis, 240), + Meal.pizza: self.money.can_spend_at(Region.saloon, 600), + Meal.salad: self.money.can_spend_at(Region.saloon, 220), + Meal.spaghetti: self.money.can_spend_at(Region.saloon, 240), + Meal.strange_bun: self.relationship.has_hearts(NPC.shane, 7) & self.has(Ingredient.wheat_flour) & self.has(Fish.periwinkle) & self.has(ArtisanGood.void_mayonnaise), + MetalBar.copper: self.can_smelt(Ore.copper), + MetalBar.gold: self.can_smelt(Ore.gold), + MetalBar.iridium: self.can_smelt(Ore.iridium), + MetalBar.iron: self.can_smelt(Ore.iron), + MetalBar.quartz: self.can_smelt(Mineral.quartz) | self.can_smelt("Fire Quartz") | (self.has(Machine.recycling_machine) & (self.has(Trash.broken_cd) | self.has(Trash.broken_glasses))), + MetalBar.radioactive: self.can_smelt(Ore.radioactive), + Ore.copper: self.mine.can_mine_in_the_mines_floor_1_40() | self.mine.can_mine_in_the_skull_cavern() | self.action.can_pan(), + Ore.gold: self.mine.can_mine_in_the_mines_floor_81_120() | self.mine.can_mine_in_the_skull_cavern() | self.action.can_pan(), + Ore.iridium: self.mine.can_mine_in_the_skull_cavern() | self.can_fish_pond(Fish.super_cucumber), + Ore.iron: self.mine.can_mine_in_the_mines_floor_41_80() | self.mine.can_mine_in_the_skull_cavern() | self.action.can_pan(), + Ore.radioactive: self.ability.can_mine_perfectly() & self.region.can_reach(Region.qi_walnut_room), + RetainingSoil.basic: self.money.can_spend_at(Region.pierre_store, 100), + RetainingSoil.quality: self.time.has_year_two & self.money.can_spend_at(Region.pierre_store, 150), + Sapling.tea: self.relationship.has_hearts(NPC.caroline, 2) & self.has(Material.fiber) & self.has(Material.wood), + Seed.mixed: self.tool.has_tool(Tool.scythe) & self.region.can_reach_all((Region.farm, Region.forest, Region.town)), + SpeedGro.basic: self.money.can_spend_at(Region.pierre_store, 100), + SpeedGro.deluxe: self.time.has_year_two & self.money.can_spend_at(Region.pierre_store, 150), + Trash.broken_cd: self.skill.can_crab_pot, + Trash.broken_glasses: self.skill.can_crab_pot, + Trash.driftwood: self.skill.can_crab_pot, + Trash.joja_cola: self.money.can_spend_at(Region.saloon, 75), + Trash.soggy_newspaper: self.skill.can_crab_pot, + Trash.trash: self.skill.can_crab_pot, + TreeSeed.acorn: self.skill.has_level(Skill.foraging, 1) & self.ability.can_chop_trees(), + TreeSeed.mahogany: self.region.can_reach(Region.secret_woods) & self.tool.has_tool(Tool.axe, ToolMaterial.iron) & self.skill.has_level(Skill.foraging, 1), + TreeSeed.maple: self.skill.has_level(Skill.foraging, 1) & self.ability.can_chop_trees(), + TreeSeed.mushroom: self.money.can_trade_at(Region.qi_walnut_room, Currency.qi_gem, 5), + TreeSeed.pine: self.skill.has_level(Skill.foraging, 1) & self.ability.can_chop_trees(), + Vegetable.tea_leaves: self.has(Sapling.tea) & self.time.has_lived_months(2) & self.season.has_any_not_winter(), + Fish.clam: self.tool.can_forage(Generic.any, Region.beach), + Fish.cockle: self.tool.can_forage(Generic.any, Region.beach), + WaterItem.coral: self.tool.can_forage(Generic.any, Region.tide_pools) | self.tool.can_forage(Season.summer, Region.beach), + WaterItem.green_algae: self.fishing.can_fish_in_freshwater(), + WaterItem.nautilus_shell: self.tool.can_forage(Season.winter, Region.beach), + WaterItem.sea_urchin: self.tool.can_forage(Generic.any, Region.tide_pools), + WaterItem.seaweed: self.skill.can_fish(Region.tide_pools), + WaterItem.white_algae: self.skill.can_fish(Region.mines_floor_20), + WildSeeds.grass_starter: self.money.can_spend_at(Region.pierre_store, 100), + }) + # @formatter:on + self.registry.item_rules.update(self.registry.fish_rules) + self.registry.item_rules.update(self.registry.museum_rules) + self.registry.item_rules.update(self.registry.sapling_rules) + self.registry.item_rules.update(self.registry.tree_fruit_rules) + self.registry.item_rules.update(self.registry.seed_rules) + self.registry.item_rules.update(self.registry.crop_rules) + + self.registry.item_rules.update(self.mod.item.get_modded_item_rules()) + self.mod.item.modify_vanilla_item_rules_with_mod_additions(self.registry.item_rules) # New regions and content means new ways to obtain old items + + # For some recipes, the cooked item can be obtained directly, so we either cook it or get it + for recipe in self.registry.cooking_rules: + cooking_rule = self.registry.cooking_rules[recipe] + obtention_rule = self.registry.item_rules[recipe] if recipe in self.registry.item_rules else False_() + self.registry.item_rules[recipe] = obtention_rule | cooking_rule + + # For some recipes, the crafted item can be obtained directly, so we either craft it or get it + for recipe in self.registry.crafting_rules: + crafting_rule = self.registry.crafting_rules[recipe] + obtention_rule = self.registry.item_rules[recipe] if recipe in self.registry.item_rules else False_() + self.registry.item_rules[recipe] = obtention_rule | crafting_rule + + self.building.initialize_rules() + self.building.update_rules(self.mod.building.get_modded_building_rules()) + + self.quest.initialize_rules() + self.quest.update_rules(self.mod.quest.get_modded_quest_rules()) + + self.registry.festival_rules.update({ + FestivalCheck.egg_hunt: self.can_win_egg_hunt(), + FestivalCheck.strawberry_seeds: self.money.can_spend(1000), + FestivalCheck.dance: self.relationship.has_hearts(Generic.bachelor, 4), + FestivalCheck.tub_o_flowers: self.money.can_spend(2000), + FestivalCheck.rarecrow_5: self.money.can_spend(2500), + FestivalCheck.luau_soup: self.can_succeed_luau_soup(), + FestivalCheck.moonlight_jellies: True_(), + FestivalCheck.moonlight_jellies_banner: self.money.can_spend(800), + FestivalCheck.starport_decal: self.money.can_spend(1000), + FestivalCheck.smashing_stone: True_(), + FestivalCheck.grange_display: self.can_succeed_grange_display(), + FestivalCheck.rarecrow_1: True_(), # only cost star tokens + FestivalCheck.fair_stardrop: True_(), # only cost star tokens + FestivalCheck.spirit_eve_maze: True_(), + FestivalCheck.jack_o_lantern: self.money.can_spend(2000), + FestivalCheck.rarecrow_2: self.money.can_spend(5000), + FestivalCheck.fishing_competition: self.can_win_fishing_competition(), + FestivalCheck.rarecrow_4: self.money.can_spend(5000), + FestivalCheck.mermaid_pearl: self.has(Forageable.secret_note), + FestivalCheck.cone_hat: self.money.can_spend(2500), + FestivalCheck.iridium_fireplace: self.money.can_spend(15000), + FestivalCheck.rarecrow_7: self.money.can_spend(5000) & self.museum.can_donate_museum_artifacts(20), + FestivalCheck.rarecrow_8: self.money.can_spend(5000) & self.museum.can_donate_museum_items(40), + FestivalCheck.lupini_red_eagle: self.money.can_spend(1200), + FestivalCheck.lupini_portrait_mermaid: self.money.can_spend(1200), + FestivalCheck.lupini_solar_kingdom: self.money.can_spend(1200), + FestivalCheck.lupini_clouds: self.time.has_year_two & self.money.can_spend(1200), + FestivalCheck.lupini_1000_years: self.time.has_year_two & self.money.can_spend(1200), + FestivalCheck.lupini_three_trees: self.time.has_year_two & self.money.can_spend(1200), + FestivalCheck.lupini_the_serpent: self.time.has_year_three & self.money.can_spend(1200), + FestivalCheck.lupini_tropical_fish: self.time.has_year_three & self.money.can_spend(1200), + FestivalCheck.lupini_land_of_clay: self.time.has_year_three & self.money.can_spend(1200), + FestivalCheck.secret_santa: self.gifts.has_any_universal_love, + FestivalCheck.legend_of_the_winter_star: True_(), + FestivalCheck.rarecrow_3: True_(), + FestivalCheck.all_rarecrows: self.region.can_reach(Region.farm) & self.has_all_rarecrows(), + }) + + self.special_order.initialize_rules() + self.special_order.update_rules(self.mod.special_order.get_modded_special_orders_rules()) + + def can_buy_sapling(self, fruit: str) -> StardewRule: + sapling_prices = {Fruit.apple: 4000, Fruit.apricot: 2000, Fruit.cherry: 3400, Fruit.orange: 4000, + Fruit.peach: 6000, + Fruit.pomegranate: 6000, Fruit.banana: 0, Fruit.mango: 0} + received_sapling = self.received(f"{fruit} Sapling") + if self.options.cropsanity == Cropsanity.option_disabled: + allowed_buy_sapling = True_() + else: + allowed_buy_sapling = received_sapling + can_buy_sapling = self.money.can_spend_at(Region.pierre_store, sapling_prices[fruit]) + if fruit == Fruit.banana: + can_buy_sapling = self.has_island_trader() & self.has(Forageable.dragon_tooth) + elif fruit == Fruit.mango: + can_buy_sapling = self.has_island_trader() & self.has(Fish.mussel_node) + + return allowed_buy_sapling & can_buy_sapling + + def can_smelt(self, item: str) -> StardewRule: + return self.has(Machine.furnace) & self.has(item) + + def can_complete_field_office(self) -> StardewRule: + field_office = self.region.can_reach(Region.field_office) + professor_snail = self.received("Open Professor Snail Cave") + tools = self.tool.has_tool(Tool.pickaxe) & self.tool.has_tool(Tool.hoe) & self.tool.has_tool(Tool.scythe) + leg_and_snake_skull = self.has_all(Fossil.fossilized_leg, Fossil.snake_skull) + ribs_and_spine = self.has_all(Fossil.fossilized_ribs, Fossil.fossilized_spine) + skull = self.has(Fossil.fossilized_skull) + tail = self.has(Fossil.fossilized_tail) + frog = self.has(Fossil.mummified_frog) + bat = self.has(Fossil.mummified_bat) + snake_vertebrae = self.has(Fossil.snake_vertebrae) + return field_office & professor_snail & tools & leg_and_snake_skull & ribs_and_spine & skull & tail & frog & bat & snake_vertebrae + + def can_finish_grandpa_evaluation(self) -> StardewRule: + # https://stardewvalleywiki.com/Grandpa + rules_worth_a_point = [ + self.money.can_have_earned_total(50000), # 50 000g + self.money.can_have_earned_total(100000), # 100 000g + self.money.can_have_earned_total(200000), # 200 000g + self.money.can_have_earned_total(300000), # 300 000g + self.money.can_have_earned_total(500000), # 500 000g + self.money.can_have_earned_total(1000000), # 1 000 000g first point + self.money.can_have_earned_total(1000000), # 1 000 000g second point + self.skill.has_total_level(30), # Total Skills: 30 + self.skill.has_total_level(50), # Total Skills: 50 + self.museum.can_complete_museum(), # Completing the museum for a point + # Catching every fish not expected + # Shipping every item not expected + self.relationship.can_get_married() & self.building.has_house(2), + self.relationship.has_hearts("5", 8), # 5 Friends + self.relationship.has_hearts("10", 8), # 10 friends + self.pet.has_hearts(5), # Max Pet + self.bundle.can_complete_community_center, # Community Center Completion + self.bundle.can_complete_community_center, # CC Ceremony first point + self.bundle.can_complete_community_center, # CC Ceremony second point + self.received(Wallet.skull_key), # Skull Key obtained + self.wallet.has_rusty_key(), # Rusty key obtained + ] + return self.count(12, *rules_worth_a_point) + + def can_win_egg_hunt(self) -> StardewRule: + number_of_movement_buffs = self.options.movement_buff_number + if self.options.festival_locations == FestivalLocations.option_hard or number_of_movement_buffs < 2: + return True_() + return self.received(Buff.movement, number_of_movement_buffs // 2) + + def can_succeed_luau_soup(self) -> StardewRule: + if self.options.festival_locations != FestivalLocations.option_hard: + return True_() + eligible_fish = [Fish.blobfish, Fish.crimsonfish, "Ice Pip", Fish.lava_eel, Fish.legend, Fish.angler, Fish.catfish, Fish.glacierfish, Fish.mutant_carp, + Fish.spookfish, Fish.stingray, Fish.sturgeon, "Super Cucumber"] + fish_rule = self.has_any(*eligible_fish) + eligible_kegables = [Fruit.ancient_fruit, Fruit.apple, Fruit.banana, Forageable.coconut, Forageable.crystal_fruit, Fruit.mango, Fruit.melon, + Fruit.orange, Fruit.peach, Fruit.pineapple, Fruit.pomegranate, Fruit.rhubarb, Fruit.starfruit, Fruit.strawberry, + Forageable.cactus_fruit, Fruit.cherry, Fruit.cranberries, Fruit.grape, Forageable.spice_berry, Forageable.wild_plum, + Vegetable.hops, Vegetable.wheat] + keg_rules = [self.artisan.can_keg(kegable) for kegable in eligible_kegables] + aged_rule = self.has(Machine.cask) & Or(*keg_rules) + # There are a few other valid items, but I don't feel like coding them all + return fish_rule | aged_rule + + def can_succeed_grange_display(self) -> StardewRule: + if self.options.festival_locations != FestivalLocations.option_hard: + return True_() + animal_rule = self.animal.has_animal(Generic.any) + artisan_rule = self.artisan.can_keg(Generic.any) | self.artisan.can_preserves_jar(Generic.any) + cooking_rule = self.money.can_spend_at(Region.saloon, 220) # Salads at the bar are good enough + fish_rule = self.skill.can_fish(difficulty=50) + forage_rule = self.region.can_reach_any((Region.forest, Region.backwoods)) # Hazelnut always available since the grange display is in fall + mineral_rule = self.action.can_open_geode(Generic.any) # More than half the minerals are good enough + good_fruits = [Fruit.apple, Fruit.banana, Forageable.coconut, Forageable.crystal_fruit, Fruit.mango, Fruit.orange, Fruit.peach, Fruit.pomegranate, + Fruit.strawberry, Fruit.melon, Fruit.rhubarb, Fruit.pineapple, Fruit.ancient_fruit, Fruit.starfruit, ] + fruit_rule = self.has_any(*good_fruits) + good_vegetables = [Vegetable.amaranth, Vegetable.artichoke, Vegetable.beet, Vegetable.cauliflower, Forageable.fiddlehead_fern, Vegetable.kale, + Vegetable.radish, Vegetable.taro_root, Vegetable.yam, Vegetable.red_cabbage, Vegetable.pumpkin] + vegetable_rule = self.has_any(*good_vegetables) + + return animal_rule & artisan_rule & cooking_rule & fish_rule & \ + forage_rule & fruit_rule & mineral_rule & vegetable_rule + + def can_win_fishing_competition(self) -> StardewRule: + return self.skill.can_fish(difficulty=60) + + def has_island_trader(self) -> StardewRule: + if self.options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return False_() + return self.region.can_reach(Region.island_trader) + + def has_walnut(self, number: int) -> StardewRule: + if self.options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return False_() + if number <= 0: + return True_() + # https://stardewcommunitywiki.com/Golden_Walnut#Walnut_Locations + reach_south = self.region.can_reach(Region.island_south) + reach_north = self.region.can_reach(Region.island_north) + reach_west = self.region.can_reach(Region.island_west) + reach_hut = self.region.can_reach(Region.leo_hut) + reach_southeast = self.region.can_reach(Region.island_south_east) + reach_field_office = self.region.can_reach(Region.field_office) + reach_pirate_cove = self.region.can_reach(Region.pirate_cove) + reach_outside_areas = And(reach_south, reach_north, reach_west, reach_hut) + reach_volcano_regions = [self.region.can_reach(Region.volcano), + self.region.can_reach(Region.volcano_secret_beach), + self.region.can_reach(Region.volcano_floor_5), + self.region.can_reach(Region.volcano_floor_10)] + reach_volcano = Or(*reach_volcano_regions) + reach_all_volcano = And(*reach_volcano_regions) + reach_walnut_regions = [reach_south, reach_north, reach_west, reach_volcano, reach_field_office] + reach_caves = And(self.region.can_reach(Region.qi_walnut_room), self.region.can_reach(Region.dig_site), + self.region.can_reach(Region.gourmand_frog_cave), + self.region.can_reach(Region.colored_crystals_cave), + self.region.can_reach(Region.shipwreck), self.received(APWeapon.slingshot)) + reach_entire_island = And(reach_outside_areas, reach_all_volcano, + reach_caves, reach_southeast, reach_field_office, reach_pirate_cove) + if number <= 5: + return Or(reach_south, reach_north, reach_west, reach_volcano) + if number <= 10: + return self.count(2, *reach_walnut_regions) + if number <= 15: + return self.count(3, *reach_walnut_regions) + if number <= 20: + return And(*reach_walnut_regions) + if number <= 50: + return reach_entire_island + gems = (Mineral.amethyst, Mineral.aquamarine, Mineral.emerald, Mineral.ruby, Mineral.topaz) + return reach_entire_island & self.has(Fruit.banana) & self.has_all(*gems) & self.ability.can_mine_perfectly() & \ + self.ability.can_fish_perfectly() & self.has(Furniture.flute_block) & self.has(Seed.melon) & self.has(Seed.wheat) & self.has(Seed.garlic) & \ + self.can_complete_field_office() + + def has_all_stardrops(self) -> StardewRule: + other_rules = [] + number_of_stardrops_to_receive = 0 + number_of_stardrops_to_receive += 1 # The Mines level 100 + number_of_stardrops_to_receive += 1 # Old Master Cannoli + number_of_stardrops_to_receive += 1 # Museum Stardrop + number_of_stardrops_to_receive += 1 # Krobus Stardrop + + if self.options.fishsanity == Fishsanity.option_none: # Master Angler Stardrop + other_rules.append(self.fishing.can_catch_every_fish()) + else: + number_of_stardrops_to_receive += 1 + + if self.options.festival_locations == FestivalLocations.option_disabled: # Fair Stardrop + other_rules.append(self.season.has(Season.fall)) + else: + number_of_stardrops_to_receive += 1 + + if self.options.friendsanity == Friendsanity.option_none: # Spouse Stardrop + other_rules.append(self.relationship.has_hearts(Generic.bachelor, 13)) + else: + number_of_stardrops_to_receive += 1 + + if ModNames.deepwoods in self.options.mods: # Petting the Unicorn + number_of_stardrops_to_receive += 1 + + if not other_rules: + return self.received("Stardrop", number_of_stardrops_to_receive) + + return self.received("Stardrop", number_of_stardrops_to_receive) & And(*other_rules) + + def has_prismatic_jelly_reward_access(self) -> StardewRule: + if self.options.special_order_locations == SpecialOrderLocations.option_disabled: + return self.special_order.can_complete_special_order("Prismatic Jelly") + return self.received("Monster Musk Recipe") + + def has_all_rarecrows(self) -> StardewRule: + rules = [] + for rarecrow_number in range(1, 9): + rules.append(self.received(f"Rarecrow #{rarecrow_number}")) + return And(*rules) + + def has_abandoned_jojamart(self) -> StardewRule: + return self.received(CommunityUpgrade.movie_theater, 1) + + def has_movie_theater(self) -> StardewRule: + return self.received(CommunityUpgrade.movie_theater, 2) + + def can_use_obelisk(self, obelisk: str) -> StardewRule: + return self.region.can_reach(Region.farm) & self.received(obelisk) + + def has_fruit_bats(self) -> StardewRule: + return self.region.can_reach(Region.farm_cave) & self.received(CommunityUpgrade.fruit_bats) + + def has_mushroom_cave(self) -> StardewRule: + return self.region.can_reach(Region.farm_cave) & self.received(CommunityUpgrade.mushroom_boxes) + + def can_fish_pond(self, fish: str) -> StardewRule: + return self.building.has_building(Building.fish_pond) & self.has(fish) diff --git a/worlds/stardew_valley/logic/logic_and_mods_design.md b/worlds/stardew_valley/logic/logic_and_mods_design.md new file mode 100644 index 000000000000..14716e1af0e1 --- /dev/null +++ b/worlds/stardew_valley/logic/logic_and_mods_design.md @@ -0,0 +1,58 @@ +# Logic mixin + +Mixins are used to split the logic building methods in multiple classes, so it's more scoped and easier to extend specific methods. + +One single instance of Logic is necessary so mods can change the logics. This means that, when calling itself, a `Logic` class has to call its instance in +the `logic`, because it might have been overriden. + +```python +class TimeLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.time = TimeLogic(*args, **kwargs) + + +class TimeLogic(BaseLogic[Union[TimeLogicMixin, ReceivedLogicMixin]]): + + def has_lived_months(self, number: int) -> StardewRule: + return self.logic.received(Event.month_end, number) + + def has_year_two(self) -> StardewRule: + return self.logic.time.has_lived_months(4) + + def has_year_three(self) -> StardewRule: + return self.logic.time.has_lived_months(8) +``` + +Creating the rules for actual items has to be outside the `logic` instance. Once the vanilla logic builder is created, mods will be able to replace the logic +implementations by their own modified version. For instance, the `combat` logic can be replaced by the magic mod to extends its methods to add spells in the +combat logic. + +## Logic class created on the fly (idea) + +The logic class could be created dynamically, based on the `LogicMixin` provided by the content packs. This would allow replacing completely mixins, instead of +overriding their logic afterward. Might be too complicated for no real gain tho... + +# Content pack (idea) + +Instead of using modules to hold the data, and have each mod adding their data to existing content, each mod data should be in a `ContentPack`. Vanilla, Ginger +Island, or anything that could be disabled would be in a content pack as well. + +Eventually, Vanilla content could even be disabled (a split would be required for items that are necessary to all content packs) to have a Ginger Island only +play through created without the heavy vanilla logic computation. + +## Unpacking + +Steps to unpack content follows the same steps has the world initialisation. Content pack however need to be unpacked in a specific order, based on their +dependencies. Vanilla would always be first, then anything that depends only on Vanilla, etc. + +1. In `generate_early`, content packs are selected. The logic builders are created and content packs are unpacked so all their content is in the proper + item/npc/weapon lists. + - `ContentPack` instances are shared across players. However, some mods need to modify content of other packs. In that case, an instance of the content is + created specifically for that player (For instance, SVE changes the Wizard). This probably does not happen enough to require sharing those instances. If + necessary, a FlyWeight design pattern could be used. +2. In `create_regions`, AP regions and entrances are unpacked, and randomized if needed. +3. In `create_items`, AP items are unpacked, and randomized. +4. In `set_rules`, the rules are applied to the AP entrances and locations. Each content pack have to apply the proper rules for their entrances and locations. + - (idea) To begin this step, sphere 0 could be simplified instantly as sphere 0 regions and items are already known. +5. Nothing to do in `generate_basic`. diff --git a/worlds/stardew_valley/logic/mine_logic.py b/worlds/stardew_valley/logic/mine_logic.py new file mode 100644 index 000000000000..2c2eaabfd8ee --- /dev/null +++ b/worlds/stardew_valley/logic/mine_logic.py @@ -0,0 +1,86 @@ +from typing import Union + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .combat_logic import CombatLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .skill_logic import SkillLogicMixin +from .tool_logic import ToolLogicMixin +from .. import options +from ..options import ToolProgression +from ..stardew_rule import StardewRule, And, True_ +from ..strings.performance_names import Performance +from ..strings.region_names import Region +from ..strings.skill_names import Skill +from ..strings.tool_names import Tool, ToolMaterial + + +class MineLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.mine = MineLogic(*args, **kwargs) + + +class MineLogic(BaseLogic[Union[MineLogicMixin, RegionLogicMixin, ReceivedLogicMixin, CombatLogicMixin, ToolLogicMixin, SkillLogicMixin]]): + # Regions + def can_mine_in_the_mines_floor_1_40(self) -> StardewRule: + return self.logic.region.can_reach(Region.mines_floor_5) + + def can_mine_in_the_mines_floor_41_80(self) -> StardewRule: + return self.logic.region.can_reach(Region.mines_floor_45) + + def can_mine_in_the_mines_floor_81_120(self) -> StardewRule: + return self.logic.region.can_reach(Region.mines_floor_85) + + def can_mine_in_the_skull_cavern(self) -> StardewRule: + return (self.logic.mine.can_progress_in_the_mines_from_floor(120) & + self.logic.region.can_reach(Region.skull_cavern)) + + @cache_self1 + def get_weapon_rule_for_floor_tier(self, tier: int): + if tier >= 4: + return self.logic.combat.can_fight_at_level(Performance.galaxy) + if tier >= 3: + return self.logic.combat.can_fight_at_level(Performance.great) + if tier >= 2: + return self.logic.combat.can_fight_at_level(Performance.good) + if tier >= 1: + return self.logic.combat.can_fight_at_level(Performance.decent) + return self.logic.combat.can_fight_at_level(Performance.basic) + + @cache_self1 + def can_progress_in_the_mines_from_floor(self, floor: int) -> StardewRule: + tier = floor // 40 + rules = [] + weapon_rule = self.logic.mine.get_weapon_rule_for_floor_tier(tier) + rules.append(weapon_rule) + if self.options.tool_progression & ToolProgression.option_progressive: + rules.append(self.logic.tool.has_tool(Tool.pickaxe, ToolMaterial.tiers[tier])) + if self.options.skill_progression == options.SkillProgression.option_progressive: + skill_tier = min(10, max(0, tier * 2)) + rules.append(self.logic.skill.has_level(Skill.combat, skill_tier)) + rules.append(self.logic.skill.has_level(Skill.mining, skill_tier)) + return And(*rules) + + @cache_self1 + def has_mine_elevator_to_floor(self, floor: int) -> StardewRule: + if floor < 0: + floor = 0 + if self.options.elevator_progression != options.ElevatorProgression.option_vanilla: + return self.logic.received("Progressive Mine Elevator", floor // 5) + return True_() + + @cache_self1 + def can_progress_in_the_skull_cavern_from_floor(self, floor: int) -> StardewRule: + tier = floor // 50 + rules = [] + weapon_rule = self.logic.combat.has_great_weapon + rules.append(weapon_rule) + if self.options.tool_progression & ToolProgression.option_progressive: + rules.append(self.logic.received("Progressive Pickaxe", min(4, max(0, tier + 2)))) + if self.options.skill_progression == options.SkillProgression.option_progressive: + skill_tier = min(10, max(0, tier * 2 + 6)) + rules.extend({self.logic.skill.has_level(Skill.combat, skill_tier), + self.logic.skill.has_level(Skill.mining, skill_tier)}) + return And(*rules) diff --git a/worlds/stardew_valley/logic/money_logic.py b/worlds/stardew_valley/logic/money_logic.py new file mode 100644 index 000000000000..92945a3636a8 --- /dev/null +++ b/worlds/stardew_valley/logic/money_logic.py @@ -0,0 +1,99 @@ +from typing import Union + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .buff_logic import BuffLogicMixin +from .has_logic import HasLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .time_logic import TimeLogicMixin +from ..options import SpecialOrderLocations +from ..stardew_rule import StardewRule, True_, HasProgressionPercent, False_ +from ..strings.ap_names.event_names import Event +from ..strings.currency_names import Currency +from ..strings.region_names import Region + +qi_gem_rewards = ("100 Qi Gems", "50 Qi Gems", "40 Qi Gems", "35 Qi Gems", "25 Qi Gems", + "20 Qi Gems", "15 Qi Gems", "10 Qi Gems") + + +class MoneyLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.money = MoneyLogic(*args, **kwargs) + + +class MoneyLogic(BaseLogic[Union[RegionLogicMixin, MoneyLogicMixin, TimeLogicMixin, RegionLogicMixin, ReceivedLogicMixin, HasLogicMixin, BuffLogicMixin]]): + + @cache_self1 + def can_have_earned_total(self, amount: int) -> StardewRule: + if amount < 1000: + return True_() + + pierre_rule = self.logic.region.can_reach_all((Region.pierre_store, Region.forest)) + willy_rule = self.logic.region.can_reach_all((Region.fish_shop, Region.fishing)) + clint_rule = self.logic.region.can_reach_all((Region.blacksmith, Region.mines_floor_5)) + robin_rule = self.logic.region.can_reach_all((Region.carpenter, Region.secret_woods)) + shipping_rule = self.logic.received(Event.can_ship_items) + + if amount < 2000: + selling_any_rule = pierre_rule | willy_rule | clint_rule | robin_rule | shipping_rule + return selling_any_rule + + if amount < 5000: + selling_all_rule = (pierre_rule & willy_rule & clint_rule & robin_rule) | shipping_rule + return selling_all_rule + + if amount < 10000: + return shipping_rule + + seed_rules = self.logic.received(Event.can_shop_at_pierre) + if amount < 40000: + return shipping_rule & seed_rules + + percent_progression_items_needed = min(90, amount // 20000) + return shipping_rule & seed_rules & HasProgressionPercent(self.player, percent_progression_items_needed) + + @cache_self1 + def can_spend(self, amount: int) -> StardewRule: + if self.options.starting_money == -1: + return True_() + return self.logic.money.can_have_earned_total(amount * 5) + + # Should be cached + def can_spend_at(self, region: str, amount: int) -> StardewRule: + return self.logic.region.can_reach(region) & self.logic.money.can_spend(amount) + + # Should be cached + def can_trade(self, currency: str, amount: int) -> StardewRule: + if amount == 0: + return True_() + if currency == Currency.money: + return self.can_spend(amount) + if currency == Currency.star_token: + return self.logic.region.can_reach(Region.fair) + if currency == Currency.qi_coin: + return self.logic.region.can_reach(Region.casino) & self.logic.buff.has_max_luck() + if currency == Currency.qi_gem: + if self.options.special_order_locations == SpecialOrderLocations.option_board_qi: + number_rewards = min(len(qi_gem_rewards), max(1, (amount // 10))) + return self.logic.received_n(*qi_gem_rewards, count=number_rewards) + number_rewards = 2 + return self.logic.received_n(*qi_gem_rewards, count=number_rewards) & self.logic.region.can_reach(Region.qi_walnut_room) & \ + self.logic.region.can_reach(Region.saloon) & self.can_have_earned_total(5000) + if currency == Currency.golden_walnut: + return self.can_spend_walnut(amount) + + return self.logic.has(currency) & self.logic.time.has_lived_months(amount) + + # Should be cached + def can_trade_at(self, region: str, currency: str, amount: int) -> StardewRule: + if amount == 0: + return True_() + if currency == Currency.money: + return self.logic.money.can_spend_at(region, amount) + + return self.logic.region.can_reach(region) & self.can_trade(currency, amount) + + def can_spend_walnut(self, amount: int) -> StardewRule: + return False_() diff --git a/worlds/stardew_valley/logic/monster_logic.py b/worlds/stardew_valley/logic/monster_logic.py new file mode 100644 index 000000000000..790f492347e6 --- /dev/null +++ b/worlds/stardew_valley/logic/monster_logic.py @@ -0,0 +1,69 @@ +from functools import cached_property +from typing import Iterable, Union, Hashable + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .combat_logic import CombatLogicMixin +from .region_logic import RegionLogicMixin +from .time_logic import TimeLogicMixin, MAX_MONTHS +from .. import options +from ..data import monster_data +from ..stardew_rule import StardewRule, Or, And +from ..strings.region_names import Region + + +class MonsterLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.monster = MonsterLogic(*args, **kwargs) + + +class MonsterLogic(BaseLogic[Union[MonsterLogicMixin, RegionLogicMixin, CombatLogicMixin, TimeLogicMixin]]): + + @cached_property + def all_monsters_by_name(self): + return monster_data.all_monsters_by_name_given_mods(self.options.mods.value) + + @cached_property + def all_monsters_by_category(self): + return monster_data.all_monsters_by_category_given_mods(self.options.mods.value) + + def can_kill(self, monster: Union[str, monster_data.StardewMonster], amount_tier: int = 0) -> StardewRule: + if isinstance(monster, str): + monster = self.all_monsters_by_name[monster] + region_rule = self.logic.region.can_reach_any(monster.locations) + combat_rule = self.logic.combat.can_fight_at_level(monster.difficulty) + if amount_tier <= 0: + amount_tier = 0 + time_rule = self.logic.time.has_lived_months(amount_tier) + return region_rule & combat_rule & time_rule + + @cache_self1 + def can_kill_many(self, monster: monster_data.StardewMonster) -> StardewRule: + return self.logic.monster.can_kill(monster, MAX_MONTHS / 3) + + @cache_self1 + def can_kill_max(self, monster: monster_data.StardewMonster) -> StardewRule: + return self.logic.monster.can_kill(monster, MAX_MONTHS) + + # Should be cached + def can_kill_any(self, monsters: (Iterable[monster_data.StardewMonster], Hashable), amount_tier: int = 0) -> StardewRule: + rules = [self.logic.monster.can_kill(monster, amount_tier) for monster in monsters] + return Or(*rules) + + # Should be cached + def can_kill_all(self, monsters: (Iterable[monster_data.StardewMonster], Hashable), amount_tier: int = 0) -> StardewRule: + rules = [self.logic.monster.can_kill(monster, amount_tier) for monster in monsters] + return And(*rules) + + def can_complete_all_monster_slaying_goals(self) -> StardewRule: + rules = [self.logic.time.has_lived_max_months] + exclude_island = self.options.exclude_ginger_island == options.ExcludeGingerIsland.option_true + island_regions = [Region.volcano_floor_5, Region.volcano_floor_10, Region.island_west, Region.dangerous_skull_cavern] + for category in self.all_monsters_by_category: + if exclude_island and all(all(location in island_regions for location in monster.locations) + for monster in self.all_monsters_by_category[category]): + continue + rules.append(self.logic.monster.can_kill_any(self.all_monsters_by_category[category])) + + return And(*rules) diff --git a/worlds/stardew_valley/logic/museum_logic.py b/worlds/stardew_valley/logic/museum_logic.py new file mode 100644 index 000000000000..285916bb41c9 --- /dev/null +++ b/worlds/stardew_valley/logic/museum_logic.py @@ -0,0 +1,78 @@ +from typing import Union + +from Utils import cache_self1 +from .action_logic import ActionLogicMixin +from .base_logic import BaseLogic, BaseLogicMixin +from .has_logic import HasLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .. import options +from ..data.museum_data import MuseumItem, all_museum_items, all_museum_artifacts, all_museum_minerals +from ..stardew_rule import StardewRule, And, False_ +from ..strings.region_names import Region + + +class MuseumLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.museum = MuseumLogic(*args, **kwargs) + + +class MuseumLogic(BaseLogic[Union[ReceivedLogicMixin, HasLogicMixin, RegionLogicMixin, ActionLogicMixin, MuseumLogicMixin]]): + + def can_donate_museum_items(self, number: int) -> StardewRule: + return self.logic.region.can_reach(Region.museum) & self.logic.museum.can_find_museum_items(number) + + def can_donate_museum_artifacts(self, number: int) -> StardewRule: + return self.logic.region.can_reach(Region.museum) & self.logic.museum.can_find_museum_artifacts(number) + + @cache_self1 + def can_find_museum_item(self, item: MuseumItem) -> StardewRule: + if item.locations: + region_rule = self.logic.region.can_reach_all_except_one(item.locations) + else: + region_rule = False_() + if item.geodes: + geodes_rule = And(*(self.logic.action.can_open_geode(geode) for geode in item.geodes)) + else: + geodes_rule = False_() + # monster_rule = self.can_farm_monster(item.monsters) + # extra_rule = True_() + pan_rule = False_() + if item.item_name == "Earth Crystal" or item.item_name == "Fire Quartz" or item.item_name == "Frozen Tear": + pan_rule = self.logic.action.can_pan() + return pan_rule | region_rule | geodes_rule # & monster_rule & extra_rule + + def can_find_museum_artifacts(self, number: int) -> StardewRule: + rules = [] + for artifact in all_museum_artifacts: + rules.append(self.logic.museum.can_find_museum_item(artifact)) + + return self.logic.count(number, *rules) + + def can_find_museum_minerals(self, number: int) -> StardewRule: + rules = [] + for mineral in all_museum_minerals: + rules.append(self.logic.museum.can_find_museum_item(mineral)) + + return self.logic.count(number, *rules) + + def can_find_museum_items(self, number: int) -> StardewRule: + rules = [] + for donation in all_museum_items: + rules.append(self.logic.museum.can_find_museum_item(donation)) + + return self.logic.count(number, *rules) + + def can_complete_museum(self) -> StardewRule: + rules = [self.logic.region.can_reach(Region.museum)] + + if self.options.museumsanity != options.Museumsanity.option_none: + rules.append(self.logic.received("Traveling Merchant Metal Detector", 4)) + + for donation in all_museum_items: + rules.append(self.logic.museum.can_find_museum_item(donation)) + return And(*rules) & self.logic.region.can_reach(Region.museum) + + def can_donate(self, item: str) -> StardewRule: + return self.logic.has(item) & self.logic.region.can_reach(Region.museum) diff --git a/worlds/stardew_valley/logic/pet_logic.py b/worlds/stardew_valley/logic/pet_logic.py new file mode 100644 index 000000000000..5d7d79a358ca --- /dev/null +++ b/worlds/stardew_valley/logic/pet_logic.py @@ -0,0 +1,50 @@ +import math +from typing import Union + +from .base_logic import BaseLogicMixin, BaseLogic +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .time_logic import TimeLogicMixin +from .tool_logic import ToolLogicMixin +from ..data.villagers_data import Villager +from ..options import Friendsanity +from ..stardew_rule import StardewRule, True_ +from ..strings.region_names import Region +from ..strings.villager_names import NPC + + +class PetLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.pet = PetLogic(*args, **kwargs) + + +class PetLogic(BaseLogic[Union[RegionLogicMixin, ReceivedLogicMixin, TimeLogicMixin, ToolLogicMixin]]): + def has_hearts(self, hearts: int = 1) -> StardewRule: + if hearts <= 0: + return True_() + if self.options.friendsanity == Friendsanity.option_none or self.options.friendsanity == Friendsanity.option_bachelors: + return self.can_befriend_pet(hearts) + return self.received_hearts(NPC.pet, hearts) + + def received_hearts(self, npc: Union[str, Villager], hearts: int) -> StardewRule: + if isinstance(npc, Villager): + return self.received_hearts(npc.name, hearts) + return self.logic.received(self.heart(npc), math.ceil(hearts / self.options.friendsanity_heart_size)) + + def can_befriend_pet(self, hearts: int) -> StardewRule: + if hearts <= 0: + return True_() + points = hearts * 200 + points_per_month = 12 * 14 + points_per_water_month = 18 * 14 + farm_rule = self.logic.region.can_reach(Region.farm) + time_with_water_rule = self.logic.tool.can_water(0) & self.logic.time.has_lived_months(points // points_per_water_month) + time_without_water_rule = self.logic.time.has_lived_months(points // points_per_month) + time_rule = time_with_water_rule | time_without_water_rule + return farm_rule & time_rule + + def heart(self, npc: Union[str, Villager]) -> str: + if isinstance(npc, str): + return f"{npc} <3" + return self.heart(npc.name) diff --git a/worlds/stardew_valley/logic/quest_logic.py b/worlds/stardew_valley/logic/quest_logic.py new file mode 100644 index 000000000000..bc1f731429c6 --- /dev/null +++ b/worlds/stardew_valley/logic/quest_logic.py @@ -0,0 +1,128 @@ +from typing import Dict, Union + +from .base_logic import BaseLogicMixin, BaseLogic +from .building_logic import BuildingLogicMixin +from .combat_logic import CombatLogicMixin +from .cooking_logic import CookingLogicMixin +from .fishing_logic import FishingLogicMixin +from .has_logic import HasLogicMixin +from .mine_logic import MineLogicMixin +from .money_logic import MoneyLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .relationship_logic import RelationshipLogicMixin +from .season_logic import SeasonLogicMixin +from .skill_logic import SkillLogicMixin +from .time_logic import TimeLogicMixin +from .tool_logic import ToolLogicMixin +from .wallet_logic import WalletLogicMixin +from ..stardew_rule import StardewRule, Has, True_ +from ..strings.artisan_good_names import ArtisanGood +from ..strings.building_names import Building +from ..strings.craftable_names import Craftable +from ..strings.crop_names import Fruit, Vegetable +from ..strings.fish_names import Fish +from ..strings.food_names import Meal +from ..strings.forageable_names import Forageable +from ..strings.machine_names import Machine +from ..strings.material_names import Material +from ..strings.metal_names import MetalBar, Ore, Mineral +from ..strings.monster_drop_names import Loot +from ..strings.quest_names import Quest +from ..strings.region_names import Region +from ..strings.season_names import Season +from ..strings.tool_names import Tool +from ..strings.villager_names import NPC +from ..strings.wallet_item_names import Wallet + + +class QuestLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.quest = QuestLogic(*args, **kwargs) + + +class QuestLogic(BaseLogic[Union[HasLogicMixin, ReceivedLogicMixin, MoneyLogicMixin, MineLogicMixin, RegionLogicMixin, RelationshipLogicMixin, ToolLogicMixin, +FishingLogicMixin, CookingLogicMixin, CombatLogicMixin, SeasonLogicMixin, SkillLogicMixin, WalletLogicMixin, QuestLogicMixin, BuildingLogicMixin, TimeLogicMixin]]): + + def initialize_rules(self): + self.update_rules({ + Quest.introductions: True_(), + Quest.how_to_win_friends: self.logic.quest.can_complete_quest(Quest.introductions), + Quest.getting_started: self.logic.has(Vegetable.parsnip), + Quest.to_the_beach: self.logic.region.can_reach(Region.beach), + Quest.raising_animals: self.logic.quest.can_complete_quest(Quest.getting_started) & self.logic.building.has_building(Building.coop), + Quest.advancement: self.logic.quest.can_complete_quest(Quest.getting_started) & self.logic.has(Craftable.scarecrow), + Quest.archaeology: self.logic.tool.has_tool(Tool.hoe) | self.logic.mine.can_mine_in_the_mines_floor_1_40() | self.logic.skill.can_fish(), + Quest.rat_problem: self.logic.region.can_reach_all((Region.town, Region.community_center)), + Quest.meet_the_wizard: self.logic.quest.can_complete_quest(Quest.rat_problem), + Quest.forging_ahead: self.logic.has(Ore.copper) & self.logic.has(Machine.furnace), + Quest.smelting: self.logic.has(MetalBar.copper), + Quest.initiation: self.logic.mine.can_mine_in_the_mines_floor_1_40(), + Quest.robins_lost_axe: self.logic.season.has(Season.spring) & self.logic.relationship.can_meet(NPC.robin), + Quest.jodis_request: self.logic.season.has(Season.spring) & self.logic.has(Vegetable.cauliflower) & self.logic.relationship.can_meet(NPC.jodi), + Quest.mayors_shorts: self.logic.season.has(Season.summer) & self.logic.relationship.has_hearts(NPC.marnie, 2) & + self.logic.relationship.can_meet(NPC.lewis), + Quest.blackberry_basket: self.logic.season.has(Season.fall) & self.logic.relationship.can_meet(NPC.linus), + Quest.marnies_request: self.logic.relationship.has_hearts(NPC.marnie, 3) & self.logic.has(Forageable.cave_carrot), + Quest.pam_is_thirsty: self.logic.season.has(Season.summer) & self.logic.has(ArtisanGood.pale_ale) & self.logic.relationship.can_meet(NPC.pam), + Quest.a_dark_reagent: self.logic.season.has(Season.winter) & self.logic.has(Loot.void_essence) & self.logic.relationship.can_meet(NPC.wizard), + Quest.cows_delight: self.logic.season.has(Season.fall) & self.logic.has(Vegetable.amaranth) & self.logic.relationship.can_meet(NPC.marnie), + Quest.the_skull_key: self.logic.received(Wallet.skull_key), + Quest.crop_research: self.logic.season.has(Season.summer) & self.logic.has(Fruit.melon) & self.logic.relationship.can_meet(NPC.demetrius), + Quest.knee_therapy: self.logic.season.has(Season.summer) & self.logic.has(Fruit.hot_pepper) & self.logic.relationship.can_meet(NPC.george), + Quest.robins_request: self.logic.season.has(Season.winter) & self.logic.has(Material.hardwood) & self.logic.relationship.can_meet(NPC.robin), + Quest.qis_challenge: True_(), # The skull cavern floor 25 already has rules + Quest.the_mysterious_qi: (self.logic.region.can_reach_all((Region.bus_tunnel, Region.railroad, Region.mayor_house)) & + self.logic.has_all(ArtisanGood.battery_pack, Forageable.rainbow_shell, Vegetable.beet, Loot.solar_essence)), + Quest.carving_pumpkins: self.logic.season.has(Season.fall) & self.logic.has(Vegetable.pumpkin) & self.logic.relationship.can_meet(NPC.caroline), + Quest.a_winter_mystery: self.logic.season.has(Season.winter), + Quest.strange_note: self.logic.has(Forageable.secret_note) & self.logic.has(ArtisanGood.maple_syrup), + Quest.cryptic_note: self.logic.has(Forageable.secret_note), + Quest.fresh_fruit: self.logic.season.has(Season.spring) & self.logic.has(Fruit.apricot) & self.logic.relationship.can_meet(NPC.emily), + Quest.aquatic_research: self.logic.season.has(Season.summer) & self.logic.has(Fish.pufferfish) & self.logic.relationship.can_meet(NPC.demetrius), + Quest.a_soldiers_star: (self.logic.season.has(Season.summer) & self.logic.time.has_year_two & self.logic.has(Fruit.starfruit) & + self.logic.relationship.can_meet(NPC.kent)), + Quest.mayors_need: self.logic.season.has(Season.summer) & self.logic.has(ArtisanGood.truffle_oil) & self.logic.relationship.can_meet(NPC.lewis), + Quest.wanted_lobster: (self.logic.season.has(Season.fall) & self.logic.season.has(Season.fall) & self.logic.has(Fish.lobster) & + self.logic.relationship.can_meet(NPC.gus)), + Quest.pam_needs_juice: self.logic.season.has(Season.fall) & self.logic.has(ArtisanGood.battery_pack) & self.logic.relationship.can_meet(NPC.pam), + Quest.fish_casserole: self.logic.relationship.has_hearts(NPC.jodi, 4) & self.logic.has(Fish.largemouth_bass), + Quest.catch_a_squid: self.logic.season.has(Season.winter) & self.logic.has(Fish.squid) & self.logic.relationship.can_meet(NPC.willy), + Quest.fish_stew: self.logic.season.has(Season.winter) & self.logic.has(Fish.albacore) & self.logic.relationship.can_meet(NPC.gus), + Quest.pierres_notice: self.logic.season.has(Season.spring) & self.logic.has(Meal.sashimi) & self.logic.relationship.can_meet(NPC.pierre), + Quest.clints_attempt: self.logic.season.has(Season.winter) & self.logic.has(Mineral.amethyst) & self.logic.relationship.can_meet(NPC.emily), + Quest.a_favor_for_clint: self.logic.season.has(Season.winter) & self.logic.has(MetalBar.iron) & self.logic.relationship.can_meet(NPC.clint), + Quest.staff_of_power: self.logic.season.has(Season.winter) & self.logic.has(MetalBar.iridium) & self.logic.relationship.can_meet(NPC.wizard), + Quest.grannys_gift: self.logic.season.has(Season.spring) & self.logic.has(Forageable.leek) & self.logic.relationship.can_meet(NPC.evelyn), + Quest.exotic_spirits: self.logic.season.has(Season.winter) & self.logic.has(Forageable.coconut) & self.logic.relationship.can_meet(NPC.gus), + Quest.catch_a_lingcod: self.logic.season.has(Season.winter) & self.logic.has(Fish.lingcod) & self.logic.relationship.can_meet(NPC.willy), + Quest.dark_talisman: self.logic.region.can_reach(Region.railroad) & self.logic.wallet.has_rusty_key() & self.logic.relationship.can_meet( + NPC.krobus), + Quest.goblin_problem: self.logic.region.can_reach(Region.witch_swamp), + Quest.magic_ink: self.logic.relationship.can_meet(NPC.wizard), + Quest.the_pirates_wife: self.logic.relationship.can_meet(NPC.kent) & self.logic.relationship.can_meet(NPC.gus) & + self.logic.relationship.can_meet(NPC.sandy) & self.logic.relationship.can_meet(NPC.george) & + self.logic.relationship.can_meet(NPC.wizard) & self.logic.relationship.can_meet(NPC.willy), + }) + + def update_rules(self, new_rules: Dict[str, StardewRule]): + self.registry.quest_rules.update(new_rules) + + def can_complete_quest(self, quest: str) -> StardewRule: + return Has(quest, self.registry.quest_rules) + + def has_club_card(self) -> StardewRule: + if self.options.quest_locations < 0: + return self.logic.quest.can_complete_quest(Quest.the_mysterious_qi) + return self.logic.received(Wallet.club_card) + + def has_magnifying_glass(self) -> StardewRule: + if self.options.quest_locations < 0: + return self.logic.quest.can_complete_quest(Quest.a_winter_mystery) + return self.logic.received(Wallet.magnifying_glass) + + def has_dark_talisman(self) -> StardewRule: + if self.options.quest_locations < 0: + return self.logic.quest.can_complete_quest(Quest.dark_talisman) + return self.logic.received(Wallet.dark_talisman) diff --git a/worlds/stardew_valley/logic/received_logic.py b/worlds/stardew_valley/logic/received_logic.py new file mode 100644 index 000000000000..66dc078ad46f --- /dev/null +++ b/worlds/stardew_valley/logic/received_logic.py @@ -0,0 +1,35 @@ +from typing import Optional + +from .base_logic import BaseLogic, BaseLogicMixin +from .has_logic import HasLogicMixin +from ..stardew_rule import StardewRule, Received, And, Or, TotalReceived + + +class ReceivedLogicMixin(BaseLogic[HasLogicMixin], BaseLogicMixin): + # Should be cached + def received(self, item: str, count: Optional[int] = 1) -> StardewRule: + assert count >= 0, "Can't receive a negative amount of item." + + return Received(item, self.player, count) + + def received_all(self, *items: str): + assert items, "Can't receive all of no items." + + return And(*(self.received(item) for item in items)) + + def received_any(self, *items: str): + assert items, "Can't receive any of no items." + + return Or(*(self.received(item) for item in items)) + + def received_once(self, *items: str, count: int): + assert items, "Can't receive once of no items." + assert count >= 0, "Can't receive a negative amount of item." + + return self.logic.count(count, *(self.received(item) for item in items)) + + def received_n(self, *items: str, count: int): + assert items, "Can't receive n of no items." + assert count >= 0, "Can't receive a negative amount of item." + + return TotalReceived(count, items, self.player) diff --git a/worlds/stardew_valley/logic/region_logic.py b/worlds/stardew_valley/logic/region_logic.py new file mode 100644 index 000000000000..a7e718a23c18 --- /dev/null +++ b/worlds/stardew_valley/logic/region_logic.py @@ -0,0 +1,62 @@ +from typing import Tuple, Union + +from Utils import cache_self1 +from .base_logic import BaseLogic, BaseLogicMixin +from .has_logic import HasLogicMixin +from ..options import EntranceRandomization +from ..stardew_rule import StardewRule, And, Or, Reach, True_ +from ..strings.region_names import Region + +main_outside_area = {Region.menu, Region.stardew_valley, Region.farm_house, Region.farm, Region.town, Region.beach, Region.mountain, Region.forest, + Region.bus_stop, Region.backwoods, Region.bus_tunnel, Region.tunnel_entrance} +always_accessible_regions_without_er = {*main_outside_area, Region.community_center, Region.pantry, Region.crafts_room, Region.fish_tank, Region.boiler_room, + Region.vault, Region.bulletin_board, Region.mines, Region.hospital, Region.carpenter, Region.alex_house, + Region.elliott_house, Region.ranch, Region.farm_cave, Region.wizard_tower, Region.tent, Region.pierre_store, + Region.saloon, Region.blacksmith, Region.trailer, Region.museum, Region.mayor_house, Region.haley_house, + Region.sam_house, Region.jojamart, Region.fish_shop} + +always_regions_by_setting = {EntranceRandomization.option_disabled: always_accessible_regions_without_er, + EntranceRandomization.option_pelican_town: always_accessible_regions_without_er, + EntranceRandomization.option_non_progression: always_accessible_regions_without_er, + EntranceRandomization.option_buildings: main_outside_area, + EntranceRandomization.option_chaos: always_accessible_regions_without_er} + + +class RegionLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.region = RegionLogic(*args, **kwargs) + + +class RegionLogic(BaseLogic[Union[RegionLogicMixin, HasLogicMixin]]): + + @cache_self1 + def can_reach(self, region_name: str) -> StardewRule: + if region_name in always_regions_by_setting[self.options.entrance_randomization]: + return True_() + + return Reach(region_name, "Region", self.player) + + @cache_self1 + def can_reach_any(self, region_names: Tuple[str, ...]) -> StardewRule: + return Or(*(self.logic.region.can_reach(spot) for spot in region_names)) + + @cache_self1 + def can_reach_all(self, region_names: Tuple[str, ...]) -> StardewRule: + return And(*(self.logic.region.can_reach(spot) for spot in region_names)) + + @cache_self1 + def can_reach_all_except_one(self, region_names: Tuple[str, ...]) -> StardewRule: + region_names = list(region_names) + num_required = len(region_names) - 1 + if num_required <= 0: + num_required = len(region_names) + return self.logic.count(num_required, *(self.logic.region.can_reach(spot) for spot in region_names)) + + @cache_self1 + def can_reach_location(self, location_name: str) -> StardewRule: + return Reach(location_name, "Location", self.player) + + # @cache_self1 + # def can_reach_entrance(self, entrance_name: str) -> StardewRule: + # return Reach(entrance_name, "Entrance", self.player) diff --git a/worlds/stardew_valley/logic/relationship_logic.py b/worlds/stardew_valley/logic/relationship_logic.py new file mode 100644 index 000000000000..fb0267bddb1a --- /dev/null +++ b/worlds/stardew_valley/logic/relationship_logic.py @@ -0,0 +1,185 @@ +import math +from functools import cached_property +from typing import Union, List + +from Utils import cache_self1 +from .base_logic import BaseLogic, BaseLogicMixin +from .building_logic import BuildingLogicMixin +from .gift_logic import GiftLogicMixin +from .has_logic import HasLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .season_logic import SeasonLogicMixin +from .time_logic import TimeLogicMixin +from ..data.villagers_data import all_villagers_by_name, Villager, get_villagers_for_mods +from ..options import Friendsanity +from ..stardew_rule import StardewRule, True_, And, Or +from ..strings.ap_names.mods.mod_items import SVEQuestItem +from ..strings.crop_names import Fruit +from ..strings.generic_names import Generic +from ..strings.gift_names import Gift +from ..strings.region_names import Region +from ..strings.season_names import Season +from ..strings.villager_names import NPC, ModNPC + +possible_kids = ("Cute Baby", "Ugly Baby") + + +def heart_item_name(npc: Union[str, Villager]) -> str: + if isinstance(npc, Villager): + npc = npc.name + + return f"{npc} <3" + + +class RelationshipLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.relationship = RelationshipLogic(*args, **kwargs) + + +class RelationshipLogic(BaseLogic[Union[ + RelationshipLogicMixin, BuildingLogicMixin, SeasonLogicMixin, TimeLogicMixin, GiftLogicMixin, RegionLogicMixin, ReceivedLogicMixin, HasLogicMixin]]): + + @cached_property + def all_villagers_given_mods(self) -> List[Villager]: + return get_villagers_for_mods(self.options.mods.value) + + def can_date(self, npc: str) -> StardewRule: + return self.logic.relationship.has_hearts(npc, 8) & self.logic.has(Gift.bouquet) + + def can_marry(self, npc: str) -> StardewRule: + return self.logic.relationship.has_hearts(npc, 10) & self.logic.has(Gift.mermaid_pendant) + + def can_get_married(self) -> StardewRule: + return self.logic.relationship.has_hearts(Generic.bachelor, 10) & self.logic.has(Gift.mermaid_pendant) + + def has_children(self, number_children: int) -> StardewRule: + if number_children <= 0: + return True_() + if self.options.friendsanity == Friendsanity.option_none: + return self.logic.relationship.can_reproduce(number_children) + return self.logic.received_n(*possible_kids, count=number_children) & self.logic.building.has_house(2) + + def can_reproduce(self, number_children: int = 1) -> StardewRule: + if number_children <= 0: + return True_() + baby_rules = [self.logic.relationship.can_get_married(), self.logic.building.has_house(2), self.logic.relationship.has_hearts(Generic.bachelor, 12), + self.logic.relationship.has_children(number_children - 1)] + return And(*baby_rules) + + # Should be cached + def has_hearts(self, npc: str, hearts: int = 1) -> StardewRule: + if hearts <= 0: + return True_() + if self.options.friendsanity == Friendsanity.option_none: + return self.logic.relationship.can_earn_relationship(npc, hearts) + if npc not in all_villagers_by_name: + if npc == Generic.any or npc == Generic.bachelor: + possible_friends = [] + for name in all_villagers_by_name: + if not self.npc_is_in_current_slot(name): + continue + if npc == Generic.any or all_villagers_by_name[name].bachelor: + possible_friends.append(self.logic.relationship.has_hearts(name, hearts)) + return Or(*possible_friends) + if npc == Generic.all: + mandatory_friends = [] + for name in all_villagers_by_name: + if not self.npc_is_in_current_slot(name): + continue + mandatory_friends.append(self.logic.relationship.has_hearts(name, hearts)) + return And(*mandatory_friends) + if npc.isnumeric(): + possible_friends = [] + for name in all_villagers_by_name: + if not self.npc_is_in_current_slot(name): + continue + possible_friends.append(self.logic.relationship.has_hearts(name, hearts)) + return self.logic.count(int(npc), *possible_friends) + return self.can_earn_relationship(npc, hearts) + + if not self.npc_is_in_current_slot(npc): + return True_() + villager = all_villagers_by_name[npc] + if self.options.friendsanity == Friendsanity.option_bachelors and not villager.bachelor: + return self.logic.relationship.can_earn_relationship(npc, hearts) + if self.options.friendsanity == Friendsanity.option_starting_npcs and not villager.available: + return self.logic.relationship.can_earn_relationship(npc, hearts) + is_capped_at_8 = villager.bachelor and self.options.friendsanity != Friendsanity.option_all_with_marriage + if is_capped_at_8 and hearts > 8: + return self.logic.relationship.received_hearts(villager.name, 8) & self.logic.relationship.can_earn_relationship(npc, hearts) + return self.logic.relationship.received_hearts(villager.name, hearts) + + # Should be cached + def received_hearts(self, npc: str, hearts: int) -> StardewRule: + heart_item = heart_item_name(npc) + number_required = math.ceil(hearts / self.options.friendsanity_heart_size) + return self.logic.received(heart_item, number_required) + + @cache_self1 + def can_meet(self, npc: str) -> StardewRule: + if npc not in all_villagers_by_name or not self.npc_is_in_current_slot(npc): + return True_() + villager = all_villagers_by_name[npc] + rules = [self.logic.region.can_reach_any(villager.locations)] + if npc == NPC.kent: + rules.append(self.logic.time.has_year_two) + elif npc == NPC.leo: + rules.append(self.logic.received("Island West Turtle")) + elif npc == ModNPC.lance: + rules.append(self.logic.region.can_reach(Region.volcano_floor_10)) + elif npc == ModNPC.apples: + rules.append(self.logic.has(Fruit.starfruit)) + elif npc == ModNPC.scarlett: + scarlett_job = self.logic.received(SVEQuestItem.scarlett_job_offer) + scarlett_spring = self.logic.season.has(Season.spring) & self.can_meet(ModNPC.andy) + scarlett_summer = self.logic.season.has(Season.summer) & self.can_meet(ModNPC.susan) + scarlett_fall = self.logic.season.has(Season.fall) & self.can_meet(ModNPC.sophia) + rules.append(scarlett_job & (scarlett_spring | scarlett_summer | scarlett_fall)) + elif npc == ModNPC.morgan: + rules.append(self.logic.received(SVEQuestItem.morgan_schooling)) + elif npc == ModNPC.goblin: + rules.append(self.logic.region.can_reach_all((Region.witch_hut, Region.wizard_tower))) + + return And(*rules) + + def can_give_loved_gifts_to_everyone(self) -> StardewRule: + rules = [] + for npc in all_villagers_by_name: + if not self.npc_is_in_current_slot(npc): + continue + meet_rule = self.logic.relationship.can_meet(npc) + rules.append(meet_rule) + rules.append(self.logic.gifts.has_any_universal_love) + return And(*rules) + + # Should be cached + def can_earn_relationship(self, npc: str, hearts: int = 0) -> StardewRule: + if hearts <= 0: + return True_() + + previous_heart = hearts - self.options.friendsanity_heart_size + previous_heart_rule = self.logic.relationship.has_hearts(npc, previous_heart) + + if npc not in all_villagers_by_name or not self.npc_is_in_current_slot(npc): + return previous_heart_rule + + rules = [previous_heart_rule, self.logic.relationship.can_meet(npc)] + villager = all_villagers_by_name[npc] + if hearts > 2 or hearts > self.options.friendsanity_heart_size: + rules.append(self.logic.season.has(villager.birthday)) + if villager.birthday == Generic.any: + rules.append(self.logic.season.has_all() | self.logic.time.has_year_three) # push logic back for any birthday-less villager + if villager.bachelor: + if hearts > 8: + rules.append(self.logic.relationship.can_date(npc)) + if hearts > 10: + rules.append(self.logic.relationship.can_marry(npc)) + + return And(*rules) + + @cache_self1 + def npc_is_in_current_slot(self, name: str) -> bool: + npc = all_villagers_by_name[name] + return npc in self.all_villagers_given_mods diff --git a/worlds/stardew_valley/logic/season_logic.py b/worlds/stardew_valley/logic/season_logic.py new file mode 100644 index 000000000000..1953502099b4 --- /dev/null +++ b/worlds/stardew_valley/logic/season_logic.py @@ -0,0 +1,44 @@ +from typing import Iterable, Union + +from Utils import cache_self1 +from .base_logic import BaseLogic, BaseLogicMixin +from .received_logic import ReceivedLogicMixin +from .time_logic import TimeLogicMixin +from ..options import SeasonRandomization +from ..stardew_rule import StardewRule, True_, Or, And +from ..strings.generic_names import Generic +from ..strings.season_names import Season + + +class SeasonLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.season = SeasonLogic(*args, **kwargs) + + +class SeasonLogic(BaseLogic[Union[SeasonLogicMixin, TimeLogicMixin, ReceivedLogicMixin]]): + + @cache_self1 + def has(self, season: str) -> StardewRule: + if season == Generic.any: + return True_() + seasons_order = [Season.spring, Season.summer, Season.fall, Season.winter] + if self.options.season_randomization == SeasonRandomization.option_progressive: + return self.logic.received(Season.progressive, seasons_order.index(season)) + if self.options.season_randomization == SeasonRandomization.option_disabled: + if season == Season.spring: + return True_() + return self.logic.time.has_lived_months(1) + return self.logic.received(season) + + def has_any(self, seasons: Iterable[str]): + if not seasons: + return True_() + return Or(*(self.logic.season.has(season) for season in seasons)) + + def has_any_not_winter(self): + return self.logic.season.has_any([Season.spring, Season.summer, Season.fall]) + + def has_all(self): + seasons = [Season.spring, Season.summer, Season.fall, Season.winter] + return And(*(self.logic.season.has(season) for season in seasons)) diff --git a/worlds/stardew_valley/logic/shipping_logic.py b/worlds/stardew_valley/logic/shipping_logic.py new file mode 100644 index 000000000000..52c97561b326 --- /dev/null +++ b/worlds/stardew_valley/logic/shipping_logic.py @@ -0,0 +1,60 @@ +from functools import cached_property +from typing import Union, List + +from Utils import cache_self1 +from .base_logic import BaseLogic, BaseLogicMixin +from .building_logic import BuildingLogicMixin +from .has_logic import HasLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from ..locations import LocationTags, locations_by_tag +from ..options import ExcludeGingerIsland, Shipsanity +from ..options import SpecialOrderLocations +from ..stardew_rule import StardewRule, And +from ..strings.ap_names.event_names import Event +from ..strings.building_names import Building + + +class ShippingLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.shipping = ShippingLogic(*args, **kwargs) + + +class ShippingLogic(BaseLogic[Union[ReceivedLogicMixin, ShippingLogicMixin, BuildingLogicMixin, RegionLogicMixin, HasLogicMixin]]): + + @cached_property + def can_use_shipping_bin(self) -> StardewRule: + return self.logic.building.has_building(Building.shipping_bin) + + @cache_self1 + def can_ship(self, item: str) -> StardewRule: + return self.logic.received(Event.can_ship_items) & self.logic.has(item) + + def can_ship_everything(self) -> StardewRule: + shipsanity_prefix = "Shipsanity: " + all_items_to_ship = [] + exclude_island = self.options.exclude_ginger_island == ExcludeGingerIsland.option_true + exclude_qi = self.options.special_order_locations != SpecialOrderLocations.option_board_qi + mod_list = self.options.mods.value + for location in locations_by_tag[LocationTags.SHIPSANITY_FULL_SHIPMENT]: + if exclude_island and LocationTags.GINGER_ISLAND in location.tags: + continue + if exclude_qi and LocationTags.REQUIRES_QI_ORDERS in location.tags: + continue + if location.mod_name and location.mod_name not in mod_list: + continue + all_items_to_ship.append(location.name[len(shipsanity_prefix):]) + return self.logic.building.has_building(Building.shipping_bin) & self.logic.has_all(*all_items_to_ship) + + def can_ship_everything_in_slot(self, all_location_names_in_slot: List[str]) -> StardewRule: + if self.options.shipsanity == Shipsanity.option_none: + return self.can_ship_everything() + + rules = [self.logic.building.has_building(Building.shipping_bin)] + + for shipsanity_location in locations_by_tag[LocationTags.SHIPSANITY]: + if shipsanity_location.name not in all_location_names_in_slot: + continue + rules.append(self.logic.region.can_reach_location(shipsanity_location.name)) + return And(*rules) diff --git a/worlds/stardew_valley/logic/skill_logic.py b/worlds/stardew_valley/logic/skill_logic.py new file mode 100644 index 000000000000..ff14e77d53d7 --- /dev/null +++ b/worlds/stardew_valley/logic/skill_logic.py @@ -0,0 +1,171 @@ +from functools import cached_property +from typing import Union, Tuple + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .combat_logic import CombatLogicMixin +from .crop_logic import CropLogicMixin +from .has_logic import HasLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .season_logic import SeasonLogicMixin +from .time_logic import TimeLogicMixin +from .tool_logic import ToolLogicMixin +from .. import options +from ..data import all_crops +from ..mods.logic.magic_logic import MagicLogicMixin +from ..mods.logic.mod_skills_levels import get_mod_skill_levels +from ..stardew_rule import StardewRule, True_, Or, False_ +from ..strings.craftable_names import Fishing +from ..strings.machine_names import Machine +from ..strings.performance_names import Performance +from ..strings.quality_names import ForageQuality +from ..strings.region_names import Region +from ..strings.skill_names import Skill +from ..strings.tool_names import ToolMaterial, Tool + +fishing_regions = (Region.beach, Region.town, Region.forest, Region.mountain, Region.island_south, Region.island_west) + + +class SkillLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.skill = SkillLogic(*args, **kwargs) + + +class SkillLogic(BaseLogic[Union[HasLogicMixin, ReceivedLogicMixin, RegionLogicMixin, SeasonLogicMixin, TimeLogicMixin, ToolLogicMixin, SkillLogicMixin, +CombatLogicMixin, CropLogicMixin, MagicLogicMixin]]): + # Should be cached + def can_earn_level(self, skill: str, level: int) -> StardewRule: + if level <= 0: + return True_() + + tool_level = (level - 1) // 2 + tool_material = ToolMaterial.tiers[tool_level] + months = max(1, level - 1) + months_rule = self.logic.time.has_lived_months(months) + previous_level_rule = self.logic.skill.has_level(skill, level - 1) + + if skill == Skill.fishing: + xp_rule = self.logic.tool.has_tool(Tool.fishing_rod, ToolMaterial.tiers[max(tool_level, 3)]) + elif skill == Skill.farming: + xp_rule = self.logic.tool.has_tool(Tool.hoe, tool_material) & self.logic.tool.can_water(tool_level) + elif skill == Skill.foraging: + xp_rule = self.logic.tool.has_tool(Tool.axe, + tool_material) | self.logic.magic.can_use_clear_debris_instead_of_tool_level( + tool_level) + elif skill == Skill.mining: + xp_rule = self.logic.tool.has_tool(Tool.pickaxe, tool_material) |\ + self.logic.magic.can_use_clear_debris_instead_of_tool_level(tool_level) + xp_rule = xp_rule & self.logic.region.can_reach(Region.mines_floor_5) + elif skill == Skill.combat: + combat_tier = Performance.tiers[tool_level] + xp_rule = self.logic.combat.can_fight_at_level(combat_tier) + xp_rule = xp_rule & self.logic.region.can_reach(Region.mines_floor_5) + else: + raise Exception(f"Unknown skill: {skill}") + + return previous_level_rule & months_rule & xp_rule + + # Should be cached + def has_level(self, skill: str, level: int) -> StardewRule: + if level <= 0: + return True_() + + if self.options.skill_progression == options.SkillProgression.option_progressive: + return self.logic.received(f"{skill} Level", level) + + return self.logic.skill.can_earn_level(skill, level) + + @cache_self1 + def has_farming_level(self, level: int) -> StardewRule: + return self.logic.skill.has_level(Skill.farming, level) + + # Should be cached + def has_total_level(self, level: int, allow_modded_skills: bool = False) -> StardewRule: + if level <= 0: + return True_() + + if self.options.skill_progression == options.SkillProgression.option_progressive: + skills_items = ("Farming Level", "Mining Level", "Foraging Level", "Fishing Level", "Combat Level") + if allow_modded_skills: + skills_items += get_mod_skill_levels(self.options.mods) + return self.logic.received_n(*skills_items, count=level) + + months_with_4_skills = max(1, (level // 4) - 1) + months_with_5_skills = max(1, (level // 5) - 1) + rule_with_fishing = self.logic.time.has_lived_months(months_with_5_skills) & self.logic.skill.can_get_fishing_xp + if level > 40: + return rule_with_fishing + return self.logic.time.has_lived_months(months_with_4_skills) | rule_with_fishing + + @cached_property + def can_get_farming_xp(self) -> StardewRule: + crop_rules = [] + for crop in all_crops: + crop_rules.append(self.logic.crop.can_grow(crop)) + return Or(*crop_rules) + + @cached_property + def can_get_foraging_xp(self) -> StardewRule: + tool_rule = self.logic.tool.has_tool(Tool.axe) + tree_rule = self.logic.region.can_reach(Region.forest) & self.logic.season.has_any_not_winter() + stump_rule = self.logic.region.can_reach(Region.secret_woods) & self.logic.tool.has_tool(Tool.axe, ToolMaterial.copper) + return tool_rule & (tree_rule | stump_rule) + + @cached_property + def can_get_mining_xp(self) -> StardewRule: + tool_rule = self.logic.tool.has_tool(Tool.pickaxe) + stone_rule = self.logic.region.can_reach_any((Region.mines_floor_5, Region.quarry, Region.skull_cavern_25, Region.volcano_floor_5)) + return tool_rule & stone_rule + + @cached_property + def can_get_combat_xp(self) -> StardewRule: + tool_rule = self.logic.combat.has_any_weapon() + enemy_rule = self.logic.region.can_reach_any((Region.mines_floor_5, Region.skull_cavern_25, Region.volcano_floor_5)) + return tool_rule & enemy_rule + + @cached_property + def can_get_fishing_xp(self) -> StardewRule: + if self.options.skill_progression == options.SkillProgression.option_progressive: + return self.logic.skill.can_fish() | self.logic.skill.can_crab_pot + + return self.logic.skill.can_fish() + + # Should be cached + def can_fish(self, regions: Union[str, Tuple[str, ...]] = None, difficulty: int = 0) -> StardewRule: + if isinstance(regions, str): + regions = regions, + if regions is None or len(regions) == 0: + regions = fishing_regions + skill_required = min(10, max(0, int((difficulty / 10) - 1))) + if difficulty <= 40: + skill_required = 0 + skill_rule = self.logic.skill.has_level(Skill.fishing, skill_required) + region_rule = self.logic.region.can_reach_any(regions) + number_fishing_rod_required = 1 if difficulty < 50 else (2 if difficulty < 80 else 4) + return self.logic.tool.has_fishing_rod(number_fishing_rod_required) & skill_rule & region_rule + + @cache_self1 + def can_crab_pot_at(self, region: str) -> StardewRule: + return self.logic.skill.can_crab_pot & self.logic.region.can_reach(region) + + @cached_property + def can_crab_pot(self) -> StardewRule: + crab_pot_rule = self.logic.has(Fishing.bait) + if self.options.skill_progression == options.SkillProgression.option_progressive: + crab_pot_rule = crab_pot_rule & self.logic.has(Machine.crab_pot) + else: + crab_pot_rule = crab_pot_rule & self.logic.skill.can_get_fishing_xp + + water_region_rules = self.logic.region.can_reach_any(fishing_regions) + return crab_pot_rule & water_region_rules + + def can_forage_quality(self, quality: str) -> StardewRule: + if quality == ForageQuality.basic: + return True_() + if quality == ForageQuality.silver: + return self.has_level(Skill.foraging, 5) + if quality == ForageQuality.gold: + return self.has_level(Skill.foraging, 9) + return False_() diff --git a/worlds/stardew_valley/logic/special_order_logic.py b/worlds/stardew_valley/logic/special_order_logic.py new file mode 100644 index 000000000000..e0b1a7e2fb27 --- /dev/null +++ b/worlds/stardew_valley/logic/special_order_logic.py @@ -0,0 +1,111 @@ +from typing import Dict, Union + +from .ability_logic import AbilityLogicMixin +from .arcade_logic import ArcadeLogicMixin +from .artisan_logic import ArtisanLogicMixin +from .base_logic import BaseLogicMixin, BaseLogic +from .buff_logic import BuffLogicMixin +from .cooking_logic import CookingLogicMixin +from .has_logic import HasLogicMixin +from .mine_logic import MineLogicMixin +from .money_logic import MoneyLogicMixin +from .monster_logic import MonsterLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .relationship_logic import RelationshipLogicMixin +from .season_logic import SeasonLogicMixin +from .shipping_logic import ShippingLogicMixin +from .skill_logic import SkillLogicMixin +from .time_logic import TimeLogicMixin +from .tool_logic import ToolLogicMixin +from ..stardew_rule import StardewRule, Has +from ..strings.animal_product_names import AnimalProduct +from ..strings.ap_names.event_names import Event +from ..strings.ap_names.transport_names import Transportation +from ..strings.artisan_good_names import ArtisanGood +from ..strings.crop_names import Vegetable, Fruit +from ..strings.fertilizer_names import Fertilizer +from ..strings.fish_names import Fish +from ..strings.forageable_names import Forageable +from ..strings.machine_names import Machine +from ..strings.material_names import Material +from ..strings.metal_names import Mineral +from ..strings.monster_drop_names import Loot +from ..strings.monster_names import Monster +from ..strings.region_names import Region +from ..strings.season_names import Season +from ..strings.special_order_names import SpecialOrder +from ..strings.tool_names import Tool +from ..strings.villager_names import NPC + + +class SpecialOrderLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.special_order = SpecialOrderLogic(*args, **kwargs) + + +class SpecialOrderLogic(BaseLogic[Union[HasLogicMixin, ReceivedLogicMixin, RegionLogicMixin, SeasonLogicMixin, TimeLogicMixin, MoneyLogicMixin, +ShippingLogicMixin, ArcadeLogicMixin, ArtisanLogicMixin, RelationshipLogicMixin, ToolLogicMixin, SkillLogicMixin, +MineLogicMixin, CookingLogicMixin, BuffLogicMixin, +AbilityLogicMixin, SpecialOrderLogicMixin, MonsterLogicMixin]]): + + def initialize_rules(self): + self.update_rules({ + SpecialOrder.island_ingredients: self.logic.relationship.can_meet(NPC.caroline) & self.logic.special_order.has_island_transport() & + self.logic.ability.can_farm_perfectly() & self.logic.shipping.can_ship(Vegetable.taro_root) & + self.logic.shipping.can_ship(Fruit.pineapple) & self.logic.shipping.can_ship(Forageable.ginger), + SpecialOrder.cave_patrol: self.logic.relationship.can_meet(NPC.clint), + SpecialOrder.aquatic_overpopulation: self.logic.relationship.can_meet(NPC.demetrius) & self.logic.ability.can_fish_perfectly(), + SpecialOrder.biome_balance: self.logic.relationship.can_meet(NPC.demetrius) & self.logic.ability.can_fish_perfectly(), + SpecialOrder.rock_rejuivenation: (self.logic.relationship.has_hearts(NPC.emily, 4) & + self.logic.has_all(Mineral.ruby, Mineral.topaz, Mineral.emerald, Mineral.jade, Mineral.amethyst, + ArtisanGood.cloth)), + SpecialOrder.gifts_for_george: self.logic.season.has(Season.spring) & self.logic.has(Forageable.leek), + SpecialOrder.fragments_of_the_past: self.logic.monster.can_kill(Monster.skeleton), + SpecialOrder.gus_famous_omelet: self.logic.has(AnimalProduct.any_egg), + SpecialOrder.crop_order: self.logic.ability.can_farm_perfectly() & self.logic.received(Event.can_ship_items), + SpecialOrder.community_cleanup: self.logic.skill.can_crab_pot, + SpecialOrder.the_strong_stuff: self.logic.artisan.can_keg(Vegetable.potato), + SpecialOrder.pierres_prime_produce: self.logic.ability.can_farm_perfectly(), + SpecialOrder.robins_project: self.logic.relationship.can_meet(NPC.robin) & self.logic.ability.can_chop_perfectly() & + self.logic.has(Material.hardwood), + SpecialOrder.robins_resource_rush: self.logic.relationship.can_meet(NPC.robin) & self.logic.ability.can_chop_perfectly() & + self.logic.has(Fertilizer.tree) & self.logic.ability.can_mine_perfectly(), + SpecialOrder.juicy_bugs_wanted: self.logic.has(Loot.bug_meat), + SpecialOrder.tropical_fish: self.logic.relationship.can_meet(NPC.willy) & self.logic.received("Island Resort") & + self.logic.special_order.has_island_transport() & + self.logic.has(Fish.stingray) & self.logic.has(Fish.blue_discus) & self.logic.has(Fish.lionfish), + SpecialOrder.a_curious_substance: self.logic.region.can_reach(Region.wizard_tower), + SpecialOrder.prismatic_jelly: self.logic.region.can_reach(Region.wizard_tower), + SpecialOrder.qis_crop: self.logic.ability.can_farm_perfectly() & self.logic.region.can_reach(Region.greenhouse) & + self.logic.region.can_reach(Region.island_west) & self.logic.skill.has_total_level(50) & + self.logic.has(Machine.seed_maker) & self.logic.received(Event.can_ship_items), + SpecialOrder.lets_play_a_game: self.logic.arcade.has_junimo_kart_max_level(), + SpecialOrder.four_precious_stones: self.logic.time.has_lived_max_months & self.logic.has("Prismatic Shard") & + self.logic.ability.can_mine_perfectly_in_the_skull_cavern(), + SpecialOrder.qis_hungry_challenge: self.logic.ability.can_mine_perfectly_in_the_skull_cavern() & self.logic.buff.has_max_buffs(), + SpecialOrder.qis_cuisine: self.logic.cooking.can_cook() & self.logic.received(Event.can_ship_items) & + (self.logic.money.can_spend_at(Region.saloon, 205000) | self.logic.money.can_spend_at(Region.pierre_store, 170000)), + SpecialOrder.qis_kindness: self.logic.relationship.can_give_loved_gifts_to_everyone(), + SpecialOrder.extended_family: self.logic.ability.can_fish_perfectly() & self.logic.has(Fish.angler) & self.logic.has(Fish.glacierfish) & + self.logic.has(Fish.crimsonfish) & self.logic.has(Fish.mutant_carp) & self.logic.has(Fish.legend), + SpecialOrder.danger_in_the_deep: self.logic.ability.can_mine_perfectly() & self.logic.mine.has_mine_elevator_to_floor(120), + SpecialOrder.skull_cavern_invasion: self.logic.ability.can_mine_perfectly_in_the_skull_cavern() & self.logic.buff.has_max_buffs(), + SpecialOrder.qis_prismatic_grange: self.logic.has(Loot.bug_meat) & # 100 Bug Meat + self.logic.money.can_spend_at(Region.saloon, 24000) & # 100 Spaghetti + self.logic.money.can_spend_at(Region.blacksmith, 15000) & # 100 Copper Ore + self.logic.money.can_spend_at(Region.ranch, 5000) & # 100 Hay + self.logic.money.can_spend_at(Region.saloon, 22000) & # 100 Salads + self.logic.money.can_spend_at(Region.saloon, 7500) & # 100 Joja Cola + self.logic.money.can_spend(80000), # I need this extra rule because money rules aren't additive... + }) + + def update_rules(self, new_rules: Dict[str, StardewRule]): + self.registry.special_order_rules.update(new_rules) + + def can_complete_special_order(self, special_order: str) -> StardewRule: + return Has(special_order, self.registry.special_order_rules) + + def has_island_transport(self) -> StardewRule: + return self.logic.received(Transportation.island_obelisk) | self.logic.received(Transportation.boat_repair) diff --git a/worlds/stardew_valley/logic/time_logic.py b/worlds/stardew_valley/logic/time_logic.py new file mode 100644 index 000000000000..9dcebfe82a4f --- /dev/null +++ b/worlds/stardew_valley/logic/time_logic.py @@ -0,0 +1,38 @@ +from functools import cached_property +from typing import Union + +from Utils import cache_self1 +from .base_logic import BaseLogic, BaseLogicMixin +from .received_logic import ReceivedLogicMixin +from ..stardew_rule import StardewRule, HasProgressionPercent, True_ + +MAX_MONTHS = 12 +MONTH_COEFFICIENT = 24 // MAX_MONTHS + + +class TimeLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.time = TimeLogic(*args, **kwargs) + + +class TimeLogic(BaseLogic[Union[TimeLogicMixin, ReceivedLogicMixin]]): + + @cache_self1 + def has_lived_months(self, number: int) -> StardewRule: + if number <= 0: + return True_() + number = min(number, MAX_MONTHS) + return HasProgressionPercent(self.player, number * MONTH_COEFFICIENT) + + @cached_property + def has_lived_max_months(self) -> StardewRule: + return self.logic.time.has_lived_months(MAX_MONTHS) + + @cached_property + def has_year_two(self) -> StardewRule: + return self.logic.time.has_lived_months(4) + + @cached_property + def has_year_three(self) -> StardewRule: + return self.logic.time.has_lived_months(8) diff --git a/worlds/stardew_valley/logic/tool_logic.py b/worlds/stardew_valley/logic/tool_logic.py new file mode 100644 index 000000000000..def02b35dab6 --- /dev/null +++ b/worlds/stardew_valley/logic/tool_logic.py @@ -0,0 +1,81 @@ +from typing import Union, Iterable + +from Utils import cache_self1 +from .base_logic import BaseLogicMixin, BaseLogic +from .has_logic import HasLogicMixin +from .money_logic import MoneyLogicMixin +from .received_logic import ReceivedLogicMixin +from .region_logic import RegionLogicMixin +from .season_logic import SeasonLogicMixin +from ..mods.logic.magic_logic import MagicLogicMixin +from ..options import ToolProgression +from ..stardew_rule import StardewRule, True_, False_ +from ..strings.ap_names.skill_level_names import ModSkillLevel +from ..strings.region_names import Region +from ..strings.skill_names import ModSkill +from ..strings.spells import MagicSpell +from ..strings.tool_names import ToolMaterial, Tool + +tool_materials = { + ToolMaterial.copper: 1, + ToolMaterial.iron: 2, + ToolMaterial.gold: 3, + ToolMaterial.iridium: 4 +} + +tool_upgrade_prices = { + ToolMaterial.copper: 2000, + ToolMaterial.iron: 5000, + ToolMaterial.gold: 10000, + ToolMaterial.iridium: 25000 +} + + +class ToolLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.tool = ToolLogic(*args, **kwargs) + + +class ToolLogic(BaseLogic[Union[ToolLogicMixin, HasLogicMixin, ReceivedLogicMixin, RegionLogicMixin, SeasonLogicMixin, MoneyLogicMixin, MagicLogicMixin]]): + # Should be cached + def has_tool(self, tool: str, material: str = ToolMaterial.basic) -> StardewRule: + if material == ToolMaterial.basic or tool == Tool.scythe: + return True_() + + if self.options.tool_progression & ToolProgression.option_progressive: + return self.logic.received(f"Progressive {tool}", tool_materials[material]) + + return self.logic.has(f"{material} Bar") & self.logic.money.can_spend(tool_upgrade_prices[material]) + + def can_use_tool_at(self, tool: str, material: str, region: str) -> StardewRule: + return self.has_tool(tool, material) & self.logic.region.can_reach(region) + + @cache_self1 + def has_fishing_rod(self, level: int) -> StardewRule: + if self.options.tool_progression & ToolProgression.option_progressive: + return self.logic.received(f"Progressive {Tool.fishing_rod}", level) + + if level <= 1: + return self.logic.region.can_reach(Region.beach) + prices = {2: 500, 3: 1800, 4: 7500} + level = min(level, 4) + return self.logic.money.can_spend_at(Region.fish_shop, prices[level]) + + # Should be cached + def can_forage(self, season: Union[str, Iterable[str]], region: str = Region.forest, need_hoe: bool = False) -> StardewRule: + season_rule = False_() + if isinstance(season, str): + season_rule = self.logic.season.has(season) + elif isinstance(season, Iterable): + season_rule = self.logic.season.has_any(season) + region_rule = self.logic.region.can_reach(region) + if need_hoe: + return season_rule & region_rule & self.logic.tool.has_tool(Tool.hoe) + return season_rule & region_rule + + @cache_self1 + def can_water(self, level: int) -> StardewRule: + tool_rule = self.logic.tool.has_tool(Tool.watering_can, ToolMaterial.tiers[level]) + spell_rule = self.logic.received(MagicSpell.water) & self.logic.magic.can_use_altar() & self.logic.received(ModSkillLevel.magic_level, level) + return tool_rule | spell_rule diff --git a/worlds/stardew_valley/logic/traveling_merchant_logic.py b/worlds/stardew_valley/logic/traveling_merchant_logic.py new file mode 100644 index 000000000000..ee1c24203e4f --- /dev/null +++ b/worlds/stardew_valley/logic/traveling_merchant_logic.py @@ -0,0 +1,22 @@ +from typing import Union + +from .base_logic import BaseLogic, BaseLogicMixin +from .received_logic import ReceivedLogicMixin +from ..stardew_rule import True_ +from ..strings.calendar_names import Weekday + + +class TravelingMerchantLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.traveling_merchant = TravelingMerchantLogic(*args, **kwargs) + + +class TravelingMerchantLogic(BaseLogic[Union[TravelingMerchantLogicMixin, ReceivedLogicMixin]]): + + def has_days(self, number_days: int = 1): + if number_days <= 0: + return True_() + tier = min(7, max(1, number_days)) + traveling_merchant_days = tuple(f"Traveling Merchant: {day}" for day in Weekday.all_days) + return self.logic.received_n(*traveling_merchant_days, count=tier) diff --git a/worlds/stardew_valley/logic/wallet_logic.py b/worlds/stardew_valley/logic/wallet_logic.py new file mode 100644 index 000000000000..3a6d12640028 --- /dev/null +++ b/worlds/stardew_valley/logic/wallet_logic.py @@ -0,0 +1,19 @@ +from .base_logic import BaseLogic, BaseLogicMixin +from .received_logic import ReceivedLogicMixin +from ..stardew_rule import StardewRule +from ..strings.wallet_item_names import Wallet + + +class WalletLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.wallet = WalletLogic(*args, **kwargs) + + +class WalletLogic(BaseLogic[ReceivedLogicMixin]): + + def can_speak_dwarf(self) -> StardewRule: + return self.logic.received(Wallet.dwarvish_translation_guide) + + def has_rusty_key(self) -> StardewRule: + return self.logic.received(Wallet.rusty_key) diff --git a/worlds/stardew_valley/mods/logic/buildings.py b/worlds/stardew_valley/mods/logic/buildings.py deleted file mode 100644 index 5ca4bf32d785..000000000000 --- a/worlds/stardew_valley/mods/logic/buildings.py +++ /dev/null @@ -1,16 +0,0 @@ -from typing import Union - -from ...strings.artisan_good_names import ArtisanGood -from ...strings.building_names import ModBuilding -from ..mod_data import ModNames -from ...strings.metal_names import MetalBar -from ...strings.region_names import Region - - -def get_modded_building_rules(vanilla_logic, active_mods): - buildings = {} - if ModNames.tractor in active_mods: - buildings.update({ - ModBuilding.tractor_garage: vanilla_logic.can_spend_money_at(Region.carpenter, 150000) & vanilla_logic.has(MetalBar.iron) & - vanilla_logic.has(MetalBar.iridium) & vanilla_logic.has(ArtisanGood.battery_pack)}) - return buildings diff --git a/worlds/stardew_valley/mods/logic/buildings_logic.py b/worlds/stardew_valley/mods/logic/buildings_logic.py new file mode 100644 index 000000000000..388204a47614 --- /dev/null +++ b/worlds/stardew_valley/mods/logic/buildings_logic.py @@ -0,0 +1,28 @@ +from typing import Dict, Union + +from ..mod_data import ModNames +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.has_logic import HasLogicMixin +from ...logic.money_logic import MoneyLogicMixin +from ...stardew_rule import StardewRule +from ...strings.artisan_good_names import ArtisanGood +from ...strings.building_names import ModBuilding +from ...strings.metal_names import MetalBar +from ...strings.region_names import Region + + +class ModBuildingLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.building = ModBuildingLogic(*args, **kwargs) + + +class ModBuildingLogic(BaseLogic[Union[MoneyLogicMixin, HasLogicMixin]]): + + def get_modded_building_rules(self) -> Dict[str, StardewRule]: + buildings = dict() + if ModNames.tractor in self.options.mods: + tractor_rule = (self.logic.money.can_spend_at(Region.carpenter, 150000) & + self.logic.has_all(MetalBar.iron, MetalBar.iridium, ArtisanGood.battery_pack)) + buildings.update({ModBuilding.tractor_garage: tractor_rule}) + return buildings diff --git a/worlds/stardew_valley/mods/logic/deepwoods.py b/worlds/stardew_valley/mods/logic/deepwoods.py deleted file mode 100644 index 2aa90e5b76b6..000000000000 --- a/worlds/stardew_valley/mods/logic/deepwoods.py +++ /dev/null @@ -1,35 +0,0 @@ -from ...strings.craftable_names import Craftable -from ...strings.performance_names import Performance -from ...strings.skill_names import Skill -from ...strings.tool_names import Tool, ToolMaterial -from ...strings.ap_names.transport_names import ModTransportation -from ...stardew_rule import StardewRule, True_, And -from ... import options - - -def can_reach_woods_depth(vanilla_logic, depth: int) -> StardewRule: - tier = int(depth / 25) + 1 - rules = [] - if depth > 10: - rules.append(vanilla_logic.has(Craftable.bomb) | vanilla_logic.has_tool(Tool.axe, ToolMaterial.iridium)) - if depth > 30: - rules.append(vanilla_logic.received(ModTransportation.woods_obelisk)) - if depth > 50: - rules.append(vanilla_logic.can_do_combat_at_level(Performance.great) & vanilla_logic.can_cook() & - vanilla_logic.received(ModTransportation.woods_obelisk)) - if vanilla_logic.options.skill_progression == options.SkillProgression.option_progressive: - combat_tier = min(10, max(0, tier + 5)) - rules.append(vanilla_logic.has_skill_level(Skill.combat, combat_tier)) - return And(rules) - - -def has_woods_rune_to_depth(vanilla_logic, floor: int) -> StardewRule: - if vanilla_logic.options.elevator_progression == options.ElevatorProgression.option_vanilla: - return True_() - return vanilla_logic.received("Progressive Woods Obelisk Sigils", count=int(floor / 10)) - - -def can_chop_to_depth(vanilla_logic, floor: int) -> StardewRule: - previous_elevator = max(floor - 10, 0) - return (has_woods_rune_to_depth(vanilla_logic, previous_elevator) & - can_reach_woods_depth(vanilla_logic, previous_elevator)) diff --git a/worlds/stardew_valley/mods/logic/deepwoods_logic.py b/worlds/stardew_valley/mods/logic/deepwoods_logic.py new file mode 100644 index 000000000000..39531ffb3d7d --- /dev/null +++ b/worlds/stardew_valley/mods/logic/deepwoods_logic.py @@ -0,0 +1,64 @@ +from typing import Union + +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.combat_logic import CombatLogicMixin +from ...logic.cooking_logic import CookingLogicMixin +from ...logic.has_logic import HasLogicMixin +from ...logic.received_logic import ReceivedLogicMixin +from ...logic.skill_logic import SkillLogicMixin +from ...logic.tool_logic import ToolLogicMixin +from ...mods.mod_data import ModNames +from ...options import SkillProgression, ElevatorProgression +from ...stardew_rule import StardewRule, True_, And +from ...strings.ap_names.transport_names import ModTransportation +from ...strings.ap_names.mods.mod_items import DeepWoodsItem, SkillLevel +from ...strings.craftable_names import Bomb +from ...strings.food_names import Meal +from ...strings.performance_names import Performance +from ...strings.skill_names import Skill +from ...strings.tool_names import Tool, ToolMaterial + + +class DeepWoodsLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.deepwoods = DeepWoodsLogic(*args, **kwargs) + + +class DeepWoodsLogic(BaseLogic[Union[SkillLogicMixin, ReceivedLogicMixin, HasLogicMixin, CombatLogicMixin, ToolLogicMixin, SkillLogicMixin, +CookingLogicMixin]]): + + def can_reach_woods_depth(self, depth: int) -> StardewRule: + tier = int(depth / 25) + 1 + rules = [] + if depth > 10: + rules.append(self.logic.has(Bomb.bomb) | self.logic.tool.has_tool(Tool.axe, ToolMaterial.iridium)) + if depth > 30: + rules.append(self.logic.received(ModTransportation.woods_obelisk)) + if depth > 50: + rules.append(self.logic.combat.can_fight_at_level(Performance.great) & self.logic.cooking.can_cook() & + self.logic.received(ModTransportation.woods_obelisk)) + if self.options.skill_progression == SkillProgression.option_progressive: + combat_tier = min(10, max(0, tier + 5)) + rules.append(self.logic.skill.has_level(Skill.combat, combat_tier)) + return And(*rules) + + def has_woods_rune_to_depth(self, floor: int) -> StardewRule: + if self.options.skill_progression == ElevatorProgression.option_vanilla: + return True_() + return self.logic.received(DeepWoodsItem.obelisk_sigil, int(floor / 10)) + + def can_chop_to_depth(self, floor: int) -> StardewRule: + previous_elevator = max(floor - 10, 0) + return (self.has_woods_rune_to_depth(previous_elevator) & + self.can_reach_woods_depth(previous_elevator)) + + def can_pull_sword(self) -> StardewRule: + rules = [self.logic.received(DeepWoodsItem.pendant_depths) & self.logic.received(DeepWoodsItem.pendant_community) & + self.logic.received(DeepWoodsItem.pendant_elder), + self.logic.skill.has_total_level(40)] + if ModNames.luck_skill in self.options.mods: + rules.append(self.logic.received(SkillLevel.luck, 7)) + else: + rules.append(self.logic.has(Meal.magic_rock_candy)) # You need more luck than this, but it'll push the logic down a ways; you can get the rest there. + return And(*rules) diff --git a/worlds/stardew_valley/mods/logic/elevator_logic.py b/worlds/stardew_valley/mods/logic/elevator_logic.py new file mode 100644 index 000000000000..f1d12bcb1c37 --- /dev/null +++ b/worlds/stardew_valley/mods/logic/elevator_logic.py @@ -0,0 +1,18 @@ +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.received_logic import ReceivedLogicMixin +from ...mods.mod_data import ModNames +from ...options import ElevatorProgression +from ...stardew_rule import StardewRule, True_ + + +class ModElevatorLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.elevator = ModElevatorLogic(*args, **kwargs) + + +class ModElevatorLogic(BaseLogic[ReceivedLogicMixin]): + def has_skull_cavern_elevator_to_floor(self, floor: int) -> StardewRule: + if self.options.elevator_progression != ElevatorProgression.option_vanilla and ModNames.skull_cavern_elevator in self.options.mods: + return self.logic.received("Progressive Skull Cavern Elevator", floor // 25) + return True_() diff --git a/worlds/stardew_valley/mods/logic/item_logic.py b/worlds/stardew_valley/mods/logic/item_logic.py new file mode 100644 index 000000000000..ffe7169f6e56 --- /dev/null +++ b/worlds/stardew_valley/mods/logic/item_logic.py @@ -0,0 +1,261 @@ +from typing import Dict, Union + +from ..mod_data import ModNames +from ...data.craftable_data import all_crafting_recipes_by_name +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.combat_logic import CombatLogicMixin +from ...logic.cooking_logic import CookingLogicMixin +from ...logic.crafting_logic import CraftingLogicMixin +from ...logic.crop_logic import CropLogicMixin +from ...logic.fishing_logic import FishingLogicMixin +from ...logic.has_logic import HasLogicMixin +from ...logic.money_logic import MoneyLogicMixin +from ...logic.museum_logic import MuseumLogicMixin +from ...logic.quest_logic import QuestLogicMixin +from ...logic.received_logic import ReceivedLogicMixin +from ...logic.region_logic import RegionLogicMixin +from ...logic.relationship_logic import RelationshipLogicMixin +from ...logic.season_logic import SeasonLogicMixin +from ...logic.skill_logic import SkillLogicMixin +from ...logic.time_logic import TimeLogicMixin +from ...logic.tool_logic import ToolLogicMixin +from ...options import Cropsanity +from ...stardew_rule import StardewRule, True_ +from ...strings.artisan_good_names import ModArtisanGood +from ...strings.craftable_names import ModCraftable, ModEdible, ModMachine +from ...strings.crop_names import SVEVegetable, SVEFruit, DistantLandsCrop, Fruit +from ...strings.fish_names import DistantLandsFish, WaterItem, Fish +from ...strings.flower_names import Flower +from ...strings.food_names import SVEMeal, SVEBeverage, Meal +from ...strings.forageable_names import SVEForage, DistantLandsForageable, Forageable +from ...strings.gift_names import SVEGift +from ...strings.ingredient_names import Ingredient +from ...strings.material_names import Material +from ...strings.metal_names import all_fossils, all_artifacts, Ore, ModFossil, ModArtifact +from ...strings.monster_drop_names import ModLoot, Loot +from ...strings.performance_names import Performance +from ...strings.quest_names import ModQuest +from ...strings.region_names import Region, SVERegion, DeepWoodsRegion, BoardingHouseRegion +from ...strings.season_names import Season +from ...strings.seed_names import SVESeed, DistantLandsSeed +from ...strings.skill_names import Skill +from ...strings.tool_names import Tool, ToolMaterial +from ...strings.villager_names import ModNPC + +display_types = [ModCraftable.wooden_display, ModCraftable.hardwood_display] +display_items = all_artifacts + all_fossils + + +class ModItemLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.item = ModItemLogic(*args, **kwargs) + + +class ModItemLogic(BaseLogic[Union[CombatLogicMixin, ReceivedLogicMixin, CropLogicMixin, CookingLogicMixin, FishingLogicMixin, HasLogicMixin, MoneyLogicMixin, +RegionLogicMixin, SeasonLogicMixin, RelationshipLogicMixin, MuseumLogicMixin, ToolLogicMixin, CraftingLogicMixin, SkillLogicMixin, TimeLogicMixin, QuestLogicMixin]]): + + def get_modded_item_rules(self) -> Dict[str, StardewRule]: + items = dict() + if ModNames.sve in self.options.mods: + items.update(self.get_sve_item_rules()) + if ModNames.archaeology in self.options.mods: + items.update(self.get_archaeology_item_rules()) + if ModNames.distant_lands in self.options.mods: + items.update(self.get_distant_lands_item_rules()) + if ModNames.boarding_house in self.options.mods: + items.update(self.get_boarding_house_item_rules()) + return items + + def modify_vanilla_item_rules_with_mod_additions(self, item_rule: Dict[str, StardewRule]): + if ModNames.sve in self.options.mods: + item_rule.update(self.get_modified_item_rules_for_sve(item_rule)) + if ModNames.deepwoods in self.options.mods: + item_rule.update(self.get_modified_item_rules_for_deep_woods(item_rule)) + return item_rule + + def get_sve_item_rules(self): + return {SVEGift.aged_blue_moon_wine: self.logic.money.can_spend_at(SVERegion.sophias_house, 28000), + SVEGift.blue_moon_wine: self.logic.money.can_spend_at(SVERegion.sophias_house, 3000), + SVESeed.fungus_seed: self.logic.region.can_reach(SVERegion.highlands_cavern) & self.logic.combat.has_good_weapon, + ModLoot.green_mushroom: self.logic.region.can_reach(SVERegion.highlands_outside) & + self.logic.tool.has_tool(Tool.axe, ToolMaterial.iron) & self.logic.season.has_any_not_winter(), + SVEFruit.monster_fruit: self.logic.season.has(Season.summer) & self.logic.has(SVESeed.stalk_seed), + SVEVegetable.monster_mushroom: self.logic.season.has(Season.fall) & self.logic.has(SVESeed.fungus_seed), + SVEForage.ornate_treasure_chest: self.logic.region.can_reach(SVERegion.highlands_outside) & self.logic.combat.has_galaxy_weapon & + self.logic.tool.has_tool(Tool.axe, ToolMaterial.iron), + SVEFruit.slime_berry: self.logic.season.has(Season.spring) & self.logic.has(SVESeed.slime_seed), + SVESeed.slime_seed: self.logic.region.can_reach(SVERegion.highlands_outside) & self.logic.combat.has_good_weapon, + SVESeed.stalk_seed: self.logic.region.can_reach(SVERegion.highlands_outside) & self.logic.combat.has_good_weapon, + SVEForage.swirl_stone: self.logic.region.can_reach(SVERegion.crimson_badlands) & self.logic.combat.has_great_weapon, + SVEVegetable.void_root: self.logic.season.has(Season.winter) & self.logic.has(SVESeed.void_seed), + SVESeed.void_seed: self.logic.region.can_reach(SVERegion.highlands_cavern) & self.logic.combat.has_good_weapon, + SVEForage.void_soul: self.logic.region.can_reach( + SVERegion.crimson_badlands) & self.logic.combat.has_good_weapon & self.logic.cooking.can_cook(), + SVEForage.winter_star_rose: self.logic.region.can_reach(SVERegion.summit) & self.logic.season.has(Season.winter), + SVEForage.bearberrys: self.logic.region.can_reach(Region.secret_woods) & self.logic.season.has(Season.winter), + SVEForage.poison_mushroom: self.logic.region.can_reach(Region.secret_woods) & self.logic.season.has_any([Season.summer, Season.fall]), + SVEForage.red_baneberry: self.logic.region.can_reach(Region.secret_woods) & self.logic.season.has(Season.summer), + SVEForage.ferngill_primrose: self.logic.region.can_reach(SVERegion.summit) & self.logic.season.has(Season.spring), + SVEForage.goldenrod: self.logic.region.can_reach(SVERegion.summit) & ( + self.logic.season.has(Season.summer) | self.logic.season.has(Season.fall)), + SVESeed.shrub_seed: self.logic.region.can_reach(Region.secret_woods) & self.logic.tool.has_tool(Tool.hoe, ToolMaterial.basic), + SVEFruit.salal_berry: self.logic.crop.can_plant_and_grow_item([Season.spring, Season.summer]) & self.logic.has(SVESeed.shrub_seed), + ModEdible.aegis_elixir: self.logic.money.can_spend_at(SVERegion.galmoran_outpost, 28000), + ModEdible.lightning_elixir: self.logic.money.can_spend_at(SVERegion.galmoran_outpost, 12000), + ModEdible.barbarian_elixir: self.logic.money.can_spend_at(SVERegion.galmoran_outpost, 22000), + ModEdible.gravity_elixir: self.logic.money.can_spend_at(SVERegion.galmoran_outpost, 4000), + SVESeed.ancient_ferns_seed: self.logic.region.can_reach(Region.secret_woods) & self.logic.tool.has_tool(Tool.hoe, ToolMaterial.basic), + SVEVegetable.ancient_fiber: self.logic.crop.can_plant_and_grow_item(Season.summer) & self.logic.has(SVESeed.ancient_ferns_seed), + SVEForage.big_conch: self.logic.region.can_reach_any((Region.beach, SVERegion.fable_reef)), + SVEForage.dewdrop_berry: self.logic.region.can_reach(SVERegion.enchanted_grove), + SVEForage.dried_sand_dollar: self.logic.region.can_reach(SVERegion.fable_reef) | (self.logic.region.can_reach(Region.beach) & + self.logic.season.has_any([Season.summer, Season.fall])), + SVEForage.golden_ocean_flower: self.logic.region.can_reach(SVERegion.fable_reef), + SVEMeal.grampleton_orange_chicken: self.logic.money.can_spend_at(Region.saloon, 650) & self.logic.relationship.has_hearts(ModNPC.sophia, 6), + ModEdible.hero_elixir: self.logic.money.can_spend_at(SVERegion.isaac_shop, 8000), + SVEForage.lucky_four_leaf_clover: self.logic.region.can_reach_any((Region.secret_woods, SVERegion.forest_west)) & + self.logic.season.has_any([Season.spring, Season.summer]), + SVEForage.mushroom_colony: self.logic.region.can_reach_any((Region.secret_woods, SVERegion.junimo_woods, SVERegion.forest_west)) & + self.logic.season.has(Season.fall), + SVEForage.rusty_blade: self.logic.region.can_reach(SVERegion.crimson_badlands) & self.logic.combat.has_great_weapon, + SVEForage.smelly_rafflesia: self.logic.region.can_reach(Region.secret_woods), + SVEBeverage.sports_drink: self.logic.money.can_spend_at(Region.hospital, 750), + "Stamina Capsule": self.logic.money.can_spend_at(Region.hospital, 4000), + SVEForage.thistle: self.logic.region.can_reach(SVERegion.summit), + SVEForage.void_pebble: self.logic.region.can_reach(SVERegion.crimson_badlands) & self.logic.combat.has_great_weapon, + ModLoot.void_shard: self.logic.region.can_reach(SVERegion.crimson_badlands) & self.logic.combat.has_galaxy_weapon & + self.logic.skill.has_level(Skill.combat, 10) & self.logic.region.can_reach(Region.saloon) & self.logic.time.has_year_three + } + # @formatter:on + + def get_modified_item_rules_for_sve(self, items: Dict[str, StardewRule]): + return { + Loot.void_essence: items[Loot.void_essence] | self.logic.region.can_reach(SVERegion.highlands_cavern) | self.logic.region.can_reach( + SVERegion.crimson_badlands), + Loot.solar_essence: items[Loot.solar_essence] | self.logic.region.can_reach(SVERegion.crimson_badlands), + Flower.tulip: items[Flower.tulip] | self.logic.tool.can_forage(Season.spring, SVERegion.sprite_spring), + Flower.blue_jazz: items[Flower.blue_jazz] | self.logic.tool.can_forage(Season.spring, SVERegion.sprite_spring), + Flower.summer_spangle: items[Flower.summer_spangle] | self.logic.tool.can_forage(Season.summer, SVERegion.sprite_spring), + Flower.sunflower: items[Flower.sunflower] | self.logic.tool.can_forage((Season.summer, Season.fall), SVERegion.sprite_spring), + Flower.fairy_rose: items[Flower.fairy_rose] | self.logic.tool.can_forage(Season.fall, SVERegion.sprite_spring), + Fruit.ancient_fruit: items[Fruit.ancient_fruit] | ( + self.logic.tool.can_forage((Season.spring, Season.summer, Season.fall), SVERegion.sprite_spring) & + self.logic.time.has_year_three) | self.logic.region.can_reach(SVERegion.sprite_spring_cave), + Fruit.sweet_gem_berry: items[Fruit.sweet_gem_berry] | ( + self.logic.tool.can_forage((Season.spring, Season.summer, Season.fall), SVERegion.sprite_spring) & + self.logic.time.has_year_three), + WaterItem.coral: items[WaterItem.coral] | self.logic.region.can_reach(SVERegion.fable_reef), + Forageable.rainbow_shell: items[Forageable.rainbow_shell] | self.logic.region.can_reach(SVERegion.fable_reef), + WaterItem.sea_urchin: items[WaterItem.sea_urchin] | self.logic.region.can_reach(SVERegion.fable_reef), + Forageable.red_mushroom: items[Forageable.red_mushroom] | self.logic.tool.can_forage((Season.summer, Season.fall), SVERegion.forest_west) | + self.logic.region.can_reach(SVERegion.sprite_spring_cave), + Forageable.purple_mushroom: items[Forageable.purple_mushroom] | self.logic.tool.can_forage(Season.fall, SVERegion.forest_west) | + self.logic.region.can_reach(SVERegion.sprite_spring_cave), + Forageable.morel: items[Forageable.morel] | self.logic.tool.can_forage(Season.fall, SVERegion.forest_west), + Forageable.chanterelle: items[Forageable.chanterelle] | self.logic.tool.can_forage(Season.fall, SVERegion.forest_west) | + self.logic.region.can_reach(SVERegion.sprite_spring_cave), + Ore.copper: items[Ore.copper] | (self.logic.tool.can_use_tool_at(Tool.pickaxe, ToolMaterial.basic, SVERegion.highlands_cavern) & + self.logic.combat.can_fight_at_level(Performance.great)), + Ore.iron: items[Ore.iron] | (self.logic.tool.can_use_tool_at(Tool.pickaxe, ToolMaterial.basic, SVERegion.highlands_cavern) & + self.logic.combat.can_fight_at_level(Performance.great)), + Ore.iridium: items[Ore.iridium] | (self.logic.tool.can_use_tool_at(Tool.pickaxe, ToolMaterial.basic, SVERegion.crimson_badlands) & + self.logic.combat.can_fight_at_level(Performance.maximum)), + } + + def get_modified_item_rules_for_deep_woods(self, items: Dict[str, StardewRule]): + return { + Fruit.apple: items[Fruit.apple] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), # Deep enough to have seen such a tree at least once + Fruit.apricot: items[Fruit.apricot] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Fruit.cherry: items[Fruit.cherry] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Fruit.orange: items[Fruit.orange] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Fruit.peach: items[Fruit.peach] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Fruit.pomegranate: items[Fruit.pomegranate] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Fruit.mango: items[Fruit.mango] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Flower.tulip: items[Flower.tulip] | self.logic.tool.can_forage(Season.not_winter, DeepWoodsRegion.floor_10), + Flower.blue_jazz: items[Flower.blue_jazz] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Flower.summer_spangle: items[Flower.summer_spangle] | self.logic.tool.can_forage(Season.not_winter, DeepWoodsRegion.floor_10), + Flower.poppy: items[Flower.poppy] | self.logic.tool.can_forage(Season.not_winter, DeepWoodsRegion.floor_10), + Flower.fairy_rose: items[Flower.fairy_rose] | self.logic.region.can_reach(DeepWoodsRegion.floor_10), + Material.hardwood: items[Material.hardwood] | self.logic.tool.can_use_tool_at(Tool.axe, ToolMaterial.iron, DeepWoodsRegion.floor_10), + Ore.iridium: items[Ore.iridium] | self.logic.tool.can_use_tool_at(Tool.axe, ToolMaterial.iridium, DeepWoodsRegion.floor_50), # Iridium Tree + Ingredient.sugar: items[Ingredient.sugar] | self.logic.tool.can_use_tool_at(Tool.axe, ToolMaterial.gold, DeepWoodsRegion.floor_50), + # Gingerbread House + Ingredient.wheat_flour: items[Ingredient.wheat_flour] | self.logic.tool.can_use_tool_at(Tool.axe, ToolMaterial.gold, DeepWoodsRegion.floor_50), + # Gingerbread House + } + + def get_archaeology_item_rules(self): + archaeology_item_rules = {} + preservation_chamber_rule = self.logic.has(ModMachine.preservation_chamber) + hardwood_preservation_chamber_rule = self.logic.has(ModMachine.hardwood_preservation_chamber) + for item in display_items: + for display_type in display_types: + if item == "Trilobite": + location_name = f"{display_type}: Trilobite Fossil" + else: + location_name = f"{display_type}: {item}" + display_item_rule = self.logic.crafting.can_craft(all_crafting_recipes_by_name[display_type]) & self.logic.has(item) + if "Wooden" in display_type: + archaeology_item_rules[location_name] = display_item_rule & preservation_chamber_rule + else: + archaeology_item_rules[location_name] = display_item_rule & hardwood_preservation_chamber_rule + return archaeology_item_rules + + def get_distant_lands_item_rules(self): + return { + DistantLandsForageable.swamp_herb: self.logic.region.can_reach(Region.witch_swamp), + DistantLandsForageable.brown_amanita: self.logic.region.can_reach(Region.witch_swamp), + DistantLandsSeed.vile_ancient_fruit: self.logic.quest.can_complete_quest(ModQuest.WitchOrder) | self.logic.quest.can_complete_quest(ModQuest.CorruptedCropsTask), + DistantLandsSeed.void_mint: self.logic.quest.can_complete_quest(ModQuest.WitchOrder) | self.logic.quest.can_complete_quest(ModQuest.CorruptedCropsTask), + DistantLandsCrop.void_mint: self.logic.season.has_any_not_winter() & self.logic.has(DistantLandsSeed.void_mint), + DistantLandsCrop.vile_ancient_fruit: self.logic.season.has_any_not_winter() & self.logic.has(DistantLandsSeed.vile_ancient_fruit), + } + + def get_boarding_house_item_rules(self): + return { + # Mob Drops from lost valley enemies + ModArtisanGood.pterodactyl_egg: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.pterodactyl_claw: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.pterodactyl_ribs: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.pterodactyl_vertebra: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.pterodactyl_skull: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.pterodactyl_phalange: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.pterodactyl_l_wing_bone: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.pterodactyl_r_wing_bone: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.dinosaur_skull: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.dinosaur_tooth: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.dinosaur_femur: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.dinosaur_pelvis: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.dinosaur_ribs: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.dinosaur_vertebra: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.dinosaur_claw: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.good), + ModFossil.neanderthal_skull: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.great), + ModFossil.neanderthal_ribs: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.great), + ModFossil.neanderthal_pelvis: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.great), + ModFossil.neanderthal_limb_bones: self.logic.region.can_reach_any((BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, + BoardingHouseRegion.lost_valley_house_2,)) & self.logic.combat.can_fight_at_level(Performance.great), + } + + def has_seed_unlocked(self, seed_name: str): + if self.options.cropsanity == Cropsanity.option_disabled: + return True_() + return self.logic.received(seed_name) diff --git a/worlds/stardew_valley/mods/logic/magic.py b/worlds/stardew_valley/mods/logic/magic.py deleted file mode 100644 index 709376399c87..000000000000 --- a/worlds/stardew_valley/mods/logic/magic.py +++ /dev/null @@ -1,80 +0,0 @@ -from ...strings.region_names import MagicRegion -from ...mods.mod_data import ModNames -from ...strings.spells import MagicSpell -from ...strings.ap_names.skill_level_names import ModSkillLevel -from ...stardew_rule import Count, StardewRule, False_ -from ... import options - - -def can_use_clear_debris_instead_of_tool_level(vanilla_logic, level: int) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - return vanilla_logic.received(MagicSpell.clear_debris) & can_use_altar(vanilla_logic) & vanilla_logic.received(ModSkillLevel.magic_level, level) - - -def can_use_altar(vanilla_logic) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - return vanilla_logic.can_reach_region(MagicRegion.altar) - - -def has_any_spell(vanilla_logic) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - return can_use_altar(vanilla_logic) - - -def has_attack_spell_count(vanilla_logic, count: int) -> StardewRule: - attack_spell_rule = [vanilla_logic.received(MagicSpell.fireball), vanilla_logic.received( - MagicSpell.frostbite), vanilla_logic.received(MagicSpell.shockwave), vanilla_logic.received(MagicSpell.spirit), - vanilla_logic.received(MagicSpell.meteor) - ] - return Count(count, attack_spell_rule) - - -def has_support_spell_count(vanilla_logic, count: int) -> StardewRule: - support_spell_rule = [can_use_altar(vanilla_logic), vanilla_logic.received(ModSkillLevel.magic_level, 2), - vanilla_logic.received(MagicSpell.descend), vanilla_logic.received(MagicSpell.heal), - vanilla_logic.received(MagicSpell.tendrils)] - return Count(count, support_spell_rule) - - -def has_decent_spells(vanilla_logic) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - magic_resource_rule = can_use_altar(vanilla_logic) & vanilla_logic.received(ModSkillLevel.magic_level, 2) - magic_attack_options_rule = has_attack_spell_count(vanilla_logic, 1) - return magic_resource_rule & magic_attack_options_rule - - -def has_good_spells(vanilla_logic) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - magic_resource_rule = can_use_altar(vanilla_logic) & vanilla_logic.received(ModSkillLevel.magic_level, 4) - magic_attack_options_rule = has_attack_spell_count(vanilla_logic, 2) - magic_support_options_rule = has_support_spell_count(vanilla_logic, 1) - return magic_resource_rule & magic_attack_options_rule & magic_support_options_rule - - -def has_great_spells(vanilla_logic) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - magic_resource_rule = can_use_altar(vanilla_logic) & vanilla_logic.received(ModSkillLevel.magic_level, 6) - magic_attack_options_rule = has_attack_spell_count(vanilla_logic, 3) - magic_support_options_rule = has_support_spell_count(vanilla_logic, 1) - return magic_resource_rule & magic_attack_options_rule & magic_support_options_rule - - -def has_amazing_spells(vanilla_logic) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - magic_resource_rule = can_use_altar(vanilla_logic) & vanilla_logic.received(ModSkillLevel.magic_level, 8) - magic_attack_options_rule = has_attack_spell_count(vanilla_logic, 4) - magic_support_options_rule = has_support_spell_count(vanilla_logic, 2) - return magic_resource_rule & magic_attack_options_rule & magic_support_options_rule - - -def can_blink(vanilla_logic) -> StardewRule: - if ModNames.magic not in vanilla_logic.options.mods: - return False_() - return vanilla_logic.received(MagicSpell.blink) & can_use_altar(vanilla_logic) diff --git a/worlds/stardew_valley/mods/logic/magic_logic.py b/worlds/stardew_valley/mods/logic/magic_logic.py new file mode 100644 index 000000000000..99482b063056 --- /dev/null +++ b/worlds/stardew_valley/mods/logic/magic_logic.py @@ -0,0 +1,82 @@ +from typing import Union + +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.has_logic import HasLogicMixin +from ...logic.received_logic import ReceivedLogicMixin +from ...logic.region_logic import RegionLogicMixin +from ...mods.mod_data import ModNames +from ...stardew_rule import StardewRule, False_ +from ...strings.ap_names.skill_level_names import ModSkillLevel +from ...strings.region_names import MagicRegion +from ...strings.spells import MagicSpell + + +class MagicLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.magic = MagicLogic(*args, **kwargs) + + +# TODO add logic.mods.magic for altar +class MagicLogic(BaseLogic[Union[RegionLogicMixin, ReceivedLogicMixin, HasLogicMixin]]): + def can_use_clear_debris_instead_of_tool_level(self, level: int) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + return self.logic.received(MagicSpell.clear_debris) & self.can_use_altar() & self.logic.received(ModSkillLevel.magic_level, level) + + def can_use_altar(self) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + return self.logic.region.can_reach(MagicRegion.altar) + + def has_any_spell(self) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + return self.can_use_altar() + + def has_attack_spell_count(self, count: int) -> StardewRule: + attack_spell_rule = [self.logic.received(MagicSpell.fireball), self.logic.received(MagicSpell.frostbite), self.logic.received(MagicSpell.shockwave), + self.logic.received(MagicSpell.spirit), self.logic.received(MagicSpell.meteor)] + return self.logic.count(count, *attack_spell_rule) + + def has_support_spell_count(self, count: int) -> StardewRule: + support_spell_rule = [self.can_use_altar(), self.logic.received(ModSkillLevel.magic_level, 2), + self.logic.received(MagicSpell.descend), self.logic.received(MagicSpell.heal), + self.logic.received(MagicSpell.tendrils)] + return self.logic.count(count, *support_spell_rule) + + def has_decent_spells(self) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + magic_resource_rule = self.can_use_altar() & self.logic.received(ModSkillLevel.magic_level, 2) + magic_attack_options_rule = self.has_attack_spell_count(1) + return magic_resource_rule & magic_attack_options_rule + + def has_good_spells(self) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + magic_resource_rule = self.can_use_altar() & self.logic.received(ModSkillLevel.magic_level, 4) + magic_attack_options_rule = self.has_attack_spell_count(2) + magic_support_options_rule = self.has_support_spell_count(1) + return magic_resource_rule & magic_attack_options_rule & magic_support_options_rule + + def has_great_spells(self) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + magic_resource_rule = self.can_use_altar() & self.logic.received(ModSkillLevel.magic_level, 6) + magic_attack_options_rule = self.has_attack_spell_count(3) + magic_support_options_rule = self.has_support_spell_count(1) + return magic_resource_rule & magic_attack_options_rule & magic_support_options_rule + + def has_amazing_spells(self) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + magic_resource_rule = self.can_use_altar() & self.logic.received(ModSkillLevel.magic_level, 8) + magic_attack_options_rule = self.has_attack_spell_count(4) + magic_support_options_rule = self.has_support_spell_count(2) + return magic_resource_rule & magic_attack_options_rule & magic_support_options_rule + + def can_blink(self) -> StardewRule: + if ModNames.magic not in self.options.mods: + return False_() + return self.logic.received(MagicSpell.blink) & self.can_use_altar() diff --git a/worlds/stardew_valley/mods/logic/mod_logic.py b/worlds/stardew_valley/mods/logic/mod_logic.py new file mode 100644 index 000000000000..37c17183dbb0 --- /dev/null +++ b/worlds/stardew_valley/mods/logic/mod_logic.py @@ -0,0 +1,21 @@ +from .buildings_logic import ModBuildingLogicMixin +from .deepwoods_logic import DeepWoodsLogicMixin +from .elevator_logic import ModElevatorLogicMixin +from .item_logic import ModItemLogicMixin +from .magic_logic import MagicLogicMixin +from .quests_logic import ModQuestLogicMixin +from .skills_logic import ModSkillLogicMixin +from .special_orders_logic import ModSpecialOrderLogicMixin +from .sve_logic import SVELogicMixin +from ...logic.base_logic import BaseLogicMixin + + +class ModLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.mod = ModLogic(*args, **kwargs) + + +class ModLogic(ModElevatorLogicMixin, MagicLogicMixin, ModSkillLogicMixin, ModItemLogicMixin, ModQuestLogicMixin, ModBuildingLogicMixin, + ModSpecialOrderLogicMixin, DeepWoodsLogicMixin, SVELogicMixin): + pass diff --git a/worlds/stardew_valley/mods/logic/mod_skills_levels.py b/worlds/stardew_valley/mods/logic/mod_skills_levels.py new file mode 100644 index 000000000000..18402283857b --- /dev/null +++ b/worlds/stardew_valley/mods/logic/mod_skills_levels.py @@ -0,0 +1,21 @@ +from typing import Tuple + +from ...mods.mod_data import ModNames +from ...options import Mods + + +def get_mod_skill_levels(mods: Mods) -> Tuple[str]: + skills_items = [] + if ModNames.luck_skill in mods: + skills_items.append("Luck Level") + if ModNames.socializing_skill in mods: + skills_items.append("Socializing Level") + if ModNames.magic in mods: + skills_items.append("Magic Level") + if ModNames.archaeology in mods: + skills_items.append("Archaeology Level") + if ModNames.binning_skill in mods: + skills_items.append("Binning Level") + if ModNames.cooking_skill in mods: + skills_items.append("Cooking Level") + return tuple(skills_items) diff --git a/worlds/stardew_valley/mods/logic/quests.py b/worlds/stardew_valley/mods/logic/quests.py deleted file mode 100644 index bf185754b2be..000000000000 --- a/worlds/stardew_valley/mods/logic/quests.py +++ /dev/null @@ -1,31 +0,0 @@ -from typing import Union -from ...strings.quest_names import ModQuest -from ..mod_data import ModNames -from ...strings.food_names import Meal, Beverage -from ...strings.monster_drop_names import Loot -from ...strings.villager_names import ModNPC -from ...strings.season_names import Season -from ...strings.region_names import Region - - -def get_modded_quest_rules(vanilla_logic, active_mods): - quests = {} - if ModNames.juna in active_mods: - quests.update({ - ModQuest.JunaCola: vanilla_logic.has_relationship(ModNPC.juna, 3) & vanilla_logic.has(Beverage.joja_cola), - ModQuest.JunaSpaghetti: vanilla_logic.has_relationship(ModNPC.juna, 6) & vanilla_logic.has(Meal.spaghetti) - }) - - if ModNames.ginger in active_mods: - quests.update({ - ModQuest.MrGinger: vanilla_logic.has_relationship(ModNPC.mr_ginger, 6) & vanilla_logic.has(Loot.void_essence) - }) - - if ModNames.ayeisha in active_mods: - quests.update({ - ModQuest.AyeishaEnvelope: (vanilla_logic.has_season(Season.spring) | vanilla_logic.has_season(Season.fall)) & - vanilla_logic.can_reach_region(Region.mountain), - ModQuest.AyeishaRing: vanilla_logic.has_season(Season.winter) & vanilla_logic.can_reach_region(Region.forest) - }) - - return quests diff --git a/worlds/stardew_valley/mods/logic/quests_logic.py b/worlds/stardew_valley/mods/logic/quests_logic.py new file mode 100644 index 000000000000..40b5545ee39f --- /dev/null +++ b/worlds/stardew_valley/mods/logic/quests_logic.py @@ -0,0 +1,128 @@ +from typing import Dict, Union + +from ..mod_data import ModNames +from ...logic.base_logic import BaseLogic, BaseLogicMixin +from ...logic.has_logic import HasLogicMixin +from ...logic.quest_logic import QuestLogicMixin +from ...logic.monster_logic import MonsterLogicMixin +from ...logic.received_logic import ReceivedLogicMixin +from ...logic.region_logic import RegionLogicMixin +from ...logic.relationship_logic import RelationshipLogicMixin +from ...logic.season_logic import SeasonLogicMixin +from ...logic.time_logic import TimeLogicMixin +from ...stardew_rule import StardewRule +from ...strings.animal_product_names import AnimalProduct +from ...strings.artisan_good_names import ArtisanGood +from ...strings.crop_names import Fruit, SVEFruit, SVEVegetable, Vegetable +from ...strings.fertilizer_names import Fertilizer +from ...strings.food_names import Meal, Beverage +from ...strings.forageable_names import SVEForage +from ...strings.material_names import Material +from ...strings.metal_names import Ore, MetalBar +from ...strings.monster_drop_names import Loot +from ...strings.monster_names import Monster +from ...strings.quest_names import Quest, ModQuest +from ...strings.region_names import Region, SVERegion, BoardingHouseRegion +from ...strings.season_names import Season +from ...strings.villager_names import ModNPC, NPC +from ...strings.wallet_item_names import Wallet + + +class ModQuestLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.quest = ModQuestLogic(*args, **kwargs) + + +class ModQuestLogic(BaseLogic[Union[HasLogicMixin, QuestLogicMixin, ReceivedLogicMixin, RegionLogicMixin, + TimeLogicMixin, SeasonLogicMixin, RelationshipLogicMixin, MonsterLogicMixin]]): + def get_modded_quest_rules(self) -> Dict[str, StardewRule]: + quests = dict() + quests.update(self._get_juna_quest_rules()) + quests.update(self._get_mr_ginger_quest_rules()) + quests.update(self._get_ayeisha_quest_rules()) + quests.update(self._get_sve_quest_rules()) + quests.update(self._get_distant_lands_quest_rules()) + quests.update(self._get_boarding_house_quest_rules()) + quests.update((self._get_hat_mouse_quest_rules())) + return quests + + def _get_juna_quest_rules(self): + if ModNames.juna not in self.options.mods: + return {} + + return { + ModQuest.JunaCola: self.logic.relationship.has_hearts(ModNPC.juna, 3) & self.logic.has(Beverage.joja_cola), + ModQuest.JunaSpaghetti: self.logic.relationship.has_hearts(ModNPC.juna, 6) & self.logic.has(Meal.spaghetti) + } + + def _get_mr_ginger_quest_rules(self): + if ModNames.ginger not in self.options.mods: + return {} + + return { + ModQuest.MrGinger: self.logic.relationship.has_hearts(ModNPC.mr_ginger, 6) & self.logic.has(Loot.void_essence) + } + + def _get_ayeisha_quest_rules(self): + if ModNames.ayeisha not in self.options.mods: + return {} + + return { + ModQuest.AyeishaEnvelope: (self.logic.season.has(Season.spring) | self.logic.season.has(Season.fall)), + ModQuest.AyeishaRing: self.logic.season.has(Season.winter) + } + + def _get_sve_quest_rules(self): + if ModNames.sve not in self.options.mods: + return {} + + return { + ModQuest.RailroadBoulder: self.logic.received(Wallet.skull_key) & self.logic.has_all(*(Ore.iridium, Material.coal)) & + self.logic.region.can_reach(Region.blacksmith) & self.logic.region.can_reach(Region.railroad), + ModQuest.GrandpasShed: self.logic.has_all(*(Material.hardwood, MetalBar.iron, ArtisanGood.battery_pack, Material.stone)) & + self.logic.region.can_reach(SVERegion.grandpas_shed), + ModQuest.MarlonsBoat: self.logic.has_all(*(Loot.void_essence, Loot.solar_essence, Loot.slime, Loot.bat_wing, Loot.bug_meat)) & + self.logic.relationship.can_meet(ModNPC.lance) & self.logic.region.can_reach(SVERegion.guild_summit), + ModQuest.AuroraVineyard: self.logic.has(Fruit.starfruit) & self.logic.region.can_reach(SVERegion.aurora_vineyard), + ModQuest.MonsterCrops: self.logic.has_all(*(SVEVegetable.monster_mushroom, SVEFruit.slime_berry, SVEFruit.monster_fruit, SVEVegetable.void_root)), + ModQuest.VoidSoul: self.logic.has(SVEForage.void_soul) & self.logic.region.can_reach(Region.farm) & + self.logic.season.has_any_not_winter() & self.logic.region.can_reach(SVERegion.badlands_entrance) & + self.logic.relationship.has_hearts(NPC.krobus, 10) & self.logic.quest.can_complete_quest(ModQuest.MonsterCrops) & + self.logic.monster.can_kill_any((Monster.shadow_brute, Monster.shadow_shaman, Monster.shadow_sniper)), + } + + def _get_distant_lands_quest_rules(self): + if ModNames.distant_lands not in self.options.mods: + return {} + + return { + ModQuest.CorruptedCropsTask: self.logic.region.can_reach(Region.wizard_tower) & self.logic.has(Fertilizer.deluxe) & + self.logic.quest.can_complete_quest(Quest.magic_ink), + ModQuest.WitchOrder: self.logic.region.can_reach(Region.witch_swamp) & self.logic.has(Fertilizer.deluxe) & + self.logic.quest.can_complete_quest(Quest.magic_ink), + ModQuest.ANewPot: self.logic.region.can_reach(Region.saloon) & + self.logic.region.can_reach(Region.sam_house) & self.logic.region.can_reach(Region.pierre_store) & + self.logic.region.can_reach(Region.blacksmith) & self.logic.has(MetalBar.iron) & self.logic.relationship.has_hearts(ModNPC.goblin, + 6), + ModQuest.FancyBlanketTask: self.logic.region.can_reach(Region.haley_house) & self.logic.has(AnimalProduct.wool) & + self.logic.has(ArtisanGood.cloth) & self.logic.relationship.has_hearts(ModNPC.goblin, 10) & + self.logic.relationship.has_hearts(NPC.emily, 8) & self.logic.season.has(Season.winter) + + } + + def _get_boarding_house_quest_rules(self): + if ModNames.boarding_house not in self.options.mods: + return {} + + return { + ModQuest.PumpkinSoup: self.logic.region.can_reach(BoardingHouseRegion.boarding_house_first) & self.logic.has(Vegetable.pumpkin) + } + + def _get_hat_mouse_quest_rules(self): + if ModNames.lacey not in self.options.mods: + return {} + + return { + ModQuest.HatMouseHat: self.logic.relationship.has_hearts(ModNPC.lacey, 2) & self.logic.time.has_lived_months(4) + } diff --git a/worlds/stardew_valley/mods/logic/skills.py b/worlds/stardew_valley/mods/logic/skills.py deleted file mode 100644 index 24402a088b16..000000000000 --- a/worlds/stardew_valley/mods/logic/skills.py +++ /dev/null @@ -1,94 +0,0 @@ -from typing import List, Union -from . import magic -from ...strings.building_names import Building -from ...strings.geode_names import Geode -from ...strings.region_names import Region -from ...strings.skill_names import ModSkill -from ...strings.spells import MagicSpell -from ...strings.machine_names import Machine -from ...strings.tool_names import Tool, ToolMaterial -from ...mods.mod_data import ModNames -from ...data.villagers_data import all_villagers -from ...stardew_rule import Count, StardewRule, False_ -from ... import options - - -def append_mod_skill_level(skills_items: List[str], active_mods): - if ModNames.luck_skill in active_mods: - skills_items.append("Luck Level") - if ModNames.socializing_skill in active_mods: - skills_items.append("Socializing Level") - if ModNames.magic in active_mods: - skills_items.append("Magic Level") - if ModNames.archaeology in active_mods: - skills_items.append("Archaeology Level") - if ModNames.binning_skill in active_mods: - skills_items.append("Binning Level") - if ModNames.cooking_skill in active_mods: - skills_items.append("Cooking Level") - - -def can_earn_mod_skill_level(logic, skill: str, level: int) -> StardewRule: - if ModNames.luck_skill in logic.options.mods and skill == ModSkill.luck: - return can_earn_luck_skill_level(logic, level) - if ModNames.magic in logic.options.mods and skill == ModSkill.magic: - return can_earn_magic_skill_level(logic, level) - if ModNames.socializing_skill in logic.options.mods and skill == ModSkill.socializing: - return can_earn_socializing_skill_level(logic, level) - if ModNames.archaeology in logic.options.mods and skill == ModSkill.archaeology: - return can_earn_archaeology_skill_level(logic, level) - if ModNames.cooking_skill in logic.options.mods and skill == ModSkill.cooking: - return can_earn_cooking_skill_level(logic, level) - if ModNames.binning_skill in logic.options.mods and skill == ModSkill.binning: - return can_earn_binning_skill_level(logic, level) - return False_() - - -def can_earn_luck_skill_level(vanilla_logic, level: int) -> StardewRule: - if level >= 6: - return vanilla_logic.can_fish_chests() | vanilla_logic.can_open_geode(Geode.magma) - else: - return vanilla_logic.can_fish_chests() | vanilla_logic.can_open_geode(Geode.geode) - - -def can_earn_magic_skill_level(vanilla_logic, level: int) -> StardewRule: - spell_count = [vanilla_logic.received(MagicSpell.clear_debris), vanilla_logic.received(MagicSpell.water), - vanilla_logic.received(MagicSpell.blink), vanilla_logic.received(MagicSpell.fireball), - vanilla_logic.received(MagicSpell.frostbite), - vanilla_logic.received(MagicSpell.descend), vanilla_logic.received(MagicSpell.tendrils), - vanilla_logic.received(MagicSpell.shockwave), - vanilla_logic.received(MagicSpell.meteor), - vanilla_logic.received(MagicSpell.spirit)] - return magic.can_use_altar(vanilla_logic) & Count(level, spell_count) - - -def can_earn_socializing_skill_level(vanilla_logic, level: int) -> StardewRule: - villager_count = [] - for villager in all_villagers: - if villager.mod_name in vanilla_logic.options.mods or villager.mod_name is None: - villager_count.append(vanilla_logic.can_earn_relationship(villager.name, level)) - return Count(level * 2, villager_count) - - -def can_earn_archaeology_skill_level(vanilla_logic, level: int) -> StardewRule: - if level >= 6: - return vanilla_logic.can_do_panning() | vanilla_logic.has_tool(Tool.hoe, ToolMaterial.gold) - else: - return vanilla_logic.can_do_panning() | vanilla_logic.has_tool(Tool.hoe, ToolMaterial.basic) - - -def can_earn_cooking_skill_level(vanilla_logic, level: int) -> StardewRule: - if level >= 6: - return vanilla_logic.can_cook() & vanilla_logic.can_fish() & vanilla_logic.can_reach_region(Region.saloon) & \ - vanilla_logic.has_building(Building.coop) & vanilla_logic.has_building(Building.barn) - else: - return vanilla_logic.can_cook() - - -def can_earn_binning_skill_level(vanilla_logic, level: int) -> StardewRule: - if level >= 6: - return vanilla_logic.can_reach_region(Region.town) & vanilla_logic.has(Machine.recycling_machine) & \ - (vanilla_logic.can_fish() | vanilla_logic.can_crab_pot()) - else: - return vanilla_logic.can_reach_region(Region.town) | (vanilla_logic.has(Machine.recycling_machine) & - (vanilla_logic.can_fish() | vanilla_logic.can_crab_pot())) diff --git a/worlds/stardew_valley/mods/logic/skills_logic.py b/worlds/stardew_valley/mods/logic/skills_logic.py new file mode 100644 index 000000000000..ce8bebbffef5 --- /dev/null +++ b/worlds/stardew_valley/mods/logic/skills_logic.py @@ -0,0 +1,110 @@ +from typing import Union + +from .magic_logic import MagicLogicMixin +from ...data.villagers_data import all_villagers +from ...logic.action_logic import ActionLogicMixin +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.building_logic import BuildingLogicMixin +from ...logic.cooking_logic import CookingLogicMixin +from ...logic.fishing_logic import FishingLogicMixin +from ...logic.has_logic import HasLogicMixin +from ...logic.received_logic import ReceivedLogicMixin +from ...logic.region_logic import RegionLogicMixin +from ...logic.relationship_logic import RelationshipLogicMixin +from ...logic.tool_logic import ToolLogicMixin +from ...mods.mod_data import ModNames +from ...options import SkillProgression +from ...stardew_rule import StardewRule, False_, True_ +from ...strings.ap_names.mods.mod_items import SkillLevel +from ...strings.craftable_names import ModCraftable, ModMachine +from ...strings.building_names import Building +from ...strings.geode_names import Geode +from ...strings.machine_names import Machine +from ...strings.region_names import Region +from ...strings.skill_names import ModSkill +from ...strings.spells import MagicSpell +from ...strings.tool_names import Tool, ToolMaterial + + +class ModSkillLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.skill = ModSkillLogic(*args, **kwargs) + + +class ModSkillLogic(BaseLogic[Union[HasLogicMixin, ReceivedLogicMixin, RegionLogicMixin, ActionLogicMixin, RelationshipLogicMixin, BuildingLogicMixin, +ToolLogicMixin, FishingLogicMixin, CookingLogicMixin, MagicLogicMixin]]): + def has_mod_level(self, skill: str, level: int) -> StardewRule: + if level <= 0: + return True_() + + if self.options.skill_progression == SkillProgression.option_progressive: + return self.logic.received(f"{skill} Level", level) + + return self.can_earn_mod_skill_level(skill, level) + + def can_earn_mod_skill_level(self, skill: str, level: int) -> StardewRule: + if ModNames.luck_skill in self.options.mods and skill == ModSkill.luck: + return self.can_earn_luck_skill_level(level) + if ModNames.magic in self.options.mods and skill == ModSkill.magic: + return self.can_earn_magic_skill_level(level) + if ModNames.socializing_skill in self.options.mods and skill == ModSkill.socializing: + return self.can_earn_socializing_skill_level(level) + if ModNames.archaeology in self.options.mods and skill == ModSkill.archaeology: + return self.can_earn_archaeology_skill_level(level) + if ModNames.cooking_skill in self.options.mods and skill == ModSkill.cooking: + return self.can_earn_cooking_skill_level(level) + if ModNames.binning_skill in self.options.mods and skill == ModSkill.binning: + return self.can_earn_binning_skill_level(level) + return False_() + + def can_earn_luck_skill_level(self, level: int) -> StardewRule: + if level >= 6: + return self.logic.fishing.can_fish_chests() | self.logic.action.can_open_geode(Geode.magma) + if level >= 3: + return self.logic.fishing.can_fish_chests() | self.logic.action.can_open_geode(Geode.geode) + return True_() # You can literally wake up and or get them by opening starting chests. + + def can_earn_magic_skill_level(self, level: int) -> StardewRule: + spell_count = [self.logic.received(MagicSpell.clear_debris), self.logic.received(MagicSpell.water), + self.logic.received(MagicSpell.blink), self.logic.received(MagicSpell.fireball), + self.logic.received(MagicSpell.frostbite), + self.logic.received(MagicSpell.descend), self.logic.received(MagicSpell.tendrils), + self.logic.received(MagicSpell.shockwave), + self.logic.received(MagicSpell.meteor), + self.logic.received(MagicSpell.spirit)] + return self.logic.count(level, *spell_count) + + def can_earn_socializing_skill_level(self, level: int) -> StardewRule: + villager_count = [] + for villager in all_villagers: + if villager.mod_name in self.options.mods or villager.mod_name is None: + villager_count.append(self.logic.relationship.can_earn_relationship(villager.name, level)) + return self.logic.count(level * 2, *villager_count) + + def can_earn_archaeology_skill_level(self, level: int) -> StardewRule: + shifter_rule = True_() + preservation_rule = True_() + if self.options.skill_progression == self.options.skill_progression.option_progressive: + shifter_rule = self.logic.has(ModCraftable.water_shifter) + preservation_rule = self.logic.has(ModMachine.hardwood_preservation_chamber) + if level >= 8: + return (self.logic.action.can_pan() & self.logic.tool.has_tool(Tool.hoe, ToolMaterial.gold)) & shifter_rule & preservation_rule + if level >= 5: + return (self.logic.action.can_pan() & self.logic.tool.has_tool(Tool.hoe, ToolMaterial.iron)) & shifter_rule + if level >= 3: + return self.logic.action.can_pan() | self.logic.tool.has_tool(Tool.hoe, ToolMaterial.copper) + return self.logic.action.can_pan() | self.logic.tool.has_tool(Tool.hoe, ToolMaterial.basic) + + def can_earn_cooking_skill_level(self, level: int) -> StardewRule: + if level >= 6: + return self.logic.cooking.can_cook() & self.logic.region.can_reach(Region.saloon) & \ + self.logic.building.has_building(Building.coop) & self.logic.building.has_building(Building.barn) + else: + return self.logic.cooking.can_cook() + + def can_earn_binning_skill_level(self, level: int) -> StardewRule: + if level >= 6: + return self.logic.has(Machine.recycling_machine) + else: + return True_() # You can always earn levels 1-5 with trash cans diff --git a/worlds/stardew_valley/mods/logic/skullcavernelevator.py b/worlds/stardew_valley/mods/logic/skullcavernelevator.py deleted file mode 100644 index 9a5140ae39c9..000000000000 --- a/worlds/stardew_valley/mods/logic/skullcavernelevator.py +++ /dev/null @@ -1,10 +0,0 @@ -from ...stardew_rule import Count, StardewRule, True_ -from ...mods.mod_data import ModNames -from ... import options - - -def has_skull_cavern_elevator_to_floor(self, floor: int) -> StardewRule: - if self.options.elevator_progression != options.ElevatorProgression.option_vanilla and \ - ModNames.skull_cavern_elevator in self.options.mods: - return self.received("Progressive Skull Cavern Elevator", floor // 25) - return True_() diff --git a/worlds/stardew_valley/mods/logic/special_orders.py b/worlds/stardew_valley/mods/logic/special_orders.py deleted file mode 100644 index 45d5d572dc05..000000000000 --- a/worlds/stardew_valley/mods/logic/special_orders.py +++ /dev/null @@ -1,24 +0,0 @@ -from typing import Union -from ...strings.craftable_names import Craftable -from ...strings.food_names import Meal -from ...strings.material_names import Material -from ...strings.monster_drop_names import Loot -from ...strings.region_names import Region -from ...strings.special_order_names import SpecialOrder, ModSpecialOrder -from ...strings.villager_names import ModNPC -from ..mod_data import ModNames - - -def get_modded_special_orders_rules(vanilla_logic, active_mods): - special_orders = {} - if ModNames.juna in active_mods: - special_orders.update({ - ModSpecialOrder.junas_monster_mash: vanilla_logic.has_relationship(ModNPC.juna, 4) & - vanilla_logic.can_complete_special_order(SpecialOrder.a_curious_substance) & - vanilla_logic.has_rusty_key() & - vanilla_logic.can_reach_region(Region.forest) & vanilla_logic.has(Craftable.monster_musk) & - vanilla_logic.has("Energy Tonic") & vanilla_logic.has(Material.sap) & vanilla_logic.has(Loot.bug_meat) & - vanilla_logic.has(Craftable.oil_of_garlic) & vanilla_logic.has(Meal.strange_bun) - }) - - return special_orders diff --git a/worlds/stardew_valley/mods/logic/special_orders_logic.py b/worlds/stardew_valley/mods/logic/special_orders_logic.py new file mode 100644 index 000000000000..e51a23d50254 --- /dev/null +++ b/worlds/stardew_valley/mods/logic/special_orders_logic.py @@ -0,0 +1,76 @@ +from typing import Union + +from ...data.craftable_data import all_crafting_recipes_by_name +from ..mod_data import ModNames +from ...logic.action_logic import ActionLogicMixin +from ...logic.artisan_logic import ArtisanLogicMixin +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.crafting_logic import CraftingLogicMixin +from ...logic.crop_logic import CropLogicMixin +from ...logic.has_logic import HasLogicMixin +from ...logic.received_logic import ReceivedLogicMixin +from ...logic.region_logic import RegionLogicMixin +from ...logic.relationship_logic import RelationshipLogicMixin +from ...logic.season_logic import SeasonLogicMixin +from ...logic.wallet_logic import WalletLogicMixin +from ...strings.ap_names.community_upgrade_names import CommunityUpgrade +from ...strings.artisan_good_names import ArtisanGood +from ...strings.craftable_names import Consumable, Edible, Bomb +from ...strings.crop_names import Fruit +from ...strings.fertilizer_names import Fertilizer +from ...strings.food_names import Meal +from ...strings.geode_names import Geode +from ...strings.material_names import Material +from ...strings.metal_names import MetalBar, Artifact +from ...strings.monster_drop_names import Loot +from ...strings.region_names import Region, SVERegion +from ...strings.special_order_names import SpecialOrder, ModSpecialOrder +from ...strings.villager_names import ModNPC + + +class ModSpecialOrderLogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.special_order = ModSpecialOrderLogic(*args, **kwargs) + + +class ModSpecialOrderLogic(BaseLogic[Union[ActionLogicMixin, ArtisanLogicMixin, CraftingLogicMixin, CropLogicMixin, HasLogicMixin, RegionLogicMixin, +ReceivedLogicMixin, RelationshipLogicMixin, SeasonLogicMixin, WalletLogicMixin]]): + def get_modded_special_orders_rules(self): + special_orders = {} + if ModNames.juna in self.options.mods: + special_orders.update({ + ModSpecialOrder.junas_monster_mash: self.logic.relationship.has_hearts(ModNPC.juna, 4) & + self.registry.special_order_rules[SpecialOrder.a_curious_substance] & + self.logic.wallet.has_rusty_key() & + self.logic.region.can_reach(Region.forest) & self.logic.has(Consumable.monster_musk) & + self.logic.has("Energy Tonic") & self.logic.has(Material.sap) & self.logic.has(Loot.bug_meat) & + self.logic.has(Edible.oil_of_garlic) & self.logic.has(Meal.strange_bun) + }) + if ModNames.sve in self.options.mods: + special_orders.update({ + ModSpecialOrder.andys_cellar: self.logic.has(Material.stone) & self.logic.has(Material.wood) & self.logic.has(Material.hardwood) & + self.logic.has(MetalBar.iron) & self.logic.received(CommunityUpgrade.movie_theater, 1) & + self.logic.region.can_reach(SVERegion.fairhaven_farm), + ModSpecialOrder.a_mysterious_venture: self.logic.has(Bomb.cherry_bomb) & self.logic.has(Bomb.bomb) & self.logic.has(Bomb.mega_bomb) & + self.logic.region.can_reach(Region.adventurer_guild), + ModSpecialOrder.an_elegant_reception: self.logic.artisan.can_keg(Fruit.starfruit) & self.logic.has(ArtisanGood.cheese) & + self.logic.has(ArtisanGood.goat_cheese) & self.logic.season.has_any_not_winter() & + self.logic.region.can_reach(SVERegion.jenkins_cellar), + ModSpecialOrder.fairy_garden: self.logic.has(Consumable.fairy_dust) & + self.logic.region.can_reach(Region.island_south) & ( + self.logic.action.can_open_geode(Geode.frozen) | self.logic.action.can_open_geode(Geode.omni)) & + self.logic.region.can_reach(SVERegion.blue_moon_vineyard), + ModSpecialOrder.homemade_fertilizer: self.logic.crafting.can_craft(all_crafting_recipes_by_name[Fertilizer.quality]) & + self.logic.region.can_reach(SVERegion.susans_house) # quest requires you make the fertilizer + }) + + if ModNames.jasper in self.options.mods: + special_orders.update({ + ModSpecialOrder.dwarf_scroll: self.logic.has_all(*(Artifact.dwarf_scroll_i, Artifact.dwarf_scroll_ii, Artifact.dwarf_scroll_iii, + Artifact.dwarf_scroll_iv,)), + ModSpecialOrder.geode_order: self.logic.has_all(*(Geode.geode, Geode.frozen, Geode.magma, Geode.omni,)) & + self.logic.relationship.has_hearts(ModNPC.jasper, 8) + }) + + return special_orders diff --git a/worlds/stardew_valley/mods/logic/sve_logic.py b/worlds/stardew_valley/mods/logic/sve_logic.py new file mode 100644 index 000000000000..1254338fe2fc --- /dev/null +++ b/worlds/stardew_valley/mods/logic/sve_logic.py @@ -0,0 +1,55 @@ +from typing import Union + +from ..mod_regions import SVERegion +from ...logic.base_logic import BaseLogicMixin, BaseLogic +from ...logic.combat_logic import CombatLogicMixin +from ...logic.cooking_logic import CookingLogicMixin +from ...logic.has_logic import HasLogicMixin +from ...logic.money_logic import MoneyLogicMixin +from ...logic.quest_logic import QuestLogicMixin +from ...logic.received_logic import ReceivedLogicMixin +from ...logic.region_logic import RegionLogicMixin +from ...logic.relationship_logic import RelationshipLogicMixin +from ...logic.season_logic import SeasonLogicMixin +from ...logic.time_logic import TimeLogicMixin +from ...logic.tool_logic import ToolLogicMixin +from ...strings.ap_names.mods.mod_items import SVELocation, SVERunes, SVEQuestItem +from ...strings.quest_names import Quest +from ...strings.region_names import Region +from ...strings.tool_names import Tool, ToolMaterial +from ...strings.wallet_item_names import Wallet +from ...stardew_rule import Or +from ...strings.quest_names import ModQuest + + +class SVELogicMixin(BaseLogicMixin): + def __init__(self, *args, **kwargs): + super().__init__(*args, **kwargs) + self.sve = SVELogic(*args, **kwargs) + + +class SVELogic(BaseLogic[Union[HasLogicMixin, ReceivedLogicMixin, QuestLogicMixin, RegionLogicMixin, RelationshipLogicMixin, TimeLogicMixin, ToolLogicMixin, + CookingLogicMixin, MoneyLogicMixin, CombatLogicMixin, SeasonLogicMixin, QuestLogicMixin]]): + def initialize_rules(self): + self.registry.sve_location_rules.update({ + SVELocation.tempered_galaxy_sword: self.logic.money.can_spend_at(SVERegion.alesia_shop, 350000), + SVELocation.tempered_galaxy_dagger: self.logic.money.can_spend_at(SVERegion.isaac_shop, 600000), + SVELocation.tempered_galaxy_hammer: self.logic.money.can_spend_at(SVERegion.isaac_shop, 400000), + }) + + def has_any_rune(self): + rune_list = SVERunes.nexus_items + return Or(*(self.logic.received(rune) for rune in rune_list)) + + def has_iridium_bomb(self): + if self.options.quest_locations < 0: + return self.logic.quest.can_complete_quest(ModQuest.RailroadBoulder) + return self.logic.received(SVEQuestItem.iridium_bomb) + + def can_buy_bear_recipe(self): + access_rule = (self.logic.quest.can_complete_quest(Quest.strange_note) & self.logic.tool.has_tool(Tool.axe, ToolMaterial.basic) & + self.logic.tool.has_tool(Tool.pickaxe, ToolMaterial.basic)) + forage_rule = self.logic.region.can_reach_any((Region.forest, Region.backwoods, Region.mountain)) + knowledge_rule = self.logic.received(Wallet.bears_knowledge) + return access_rule & forage_rule & knowledge_rule + diff --git a/worlds/stardew_valley/mods/mod_data.py b/worlds/stardew_valley/mods/mod_data.py index 30fe96c9d906..a4d3b9828aa6 100644 --- a/worlds/stardew_valley/mods/mod_data.py +++ b/worlds/stardew_valley/mods/mod_data.py @@ -21,6 +21,13 @@ class ModNames: ayeisha = "Ayeisha - The Postal Worker (Custom NPC)" riley = "Custom NPC - Riley" skull_cavern_elevator = "Skull Cavern Elevator" + sve = "Stardew Valley Expanded" + alecto = "Alecto the Witch" + distant_lands = "Distant Lands - Witch Swamp Overhaul" + lacey = "Hat Mouse Lacey" + boarding_house = "Boarding House and Bus Stop Extension" + + jasper_sve = jasper + "," + sve all_mods = frozenset({ModNames.deepwoods, ModNames.tractor, ModNames.big_backpack, @@ -28,4 +35,5 @@ class ModNames: ModNames.cooking_skill, ModNames.binning_skill, ModNames.juna, ModNames.jasper, ModNames.alec, ModNames.yoba, ModNames.eugene, ModNames.wellwick, ModNames.ginger, ModNames.shiko, ModNames.delores, - ModNames.ayeisha, ModNames.riley, ModNames.skull_cavern_elevator}) + ModNames.ayeisha, ModNames.riley, ModNames.skull_cavern_elevator, ModNames.sve, ModNames.alecto, + ModNames.distant_lands, ModNames.lacey, ModNames.boarding_house}) diff --git a/worlds/stardew_valley/mods/mod_monster_locations.py b/worlds/stardew_valley/mods/mod_monster_locations.py new file mode 100644 index 000000000000..96ded1b2fc39 --- /dev/null +++ b/worlds/stardew_valley/mods/mod_monster_locations.py @@ -0,0 +1,40 @@ +from typing import Dict, Tuple + +from .mod_data import ModNames +from ..strings.monster_names import Monster +from ..strings.region_names import SVERegion, DeepWoodsRegion, BoardingHouseRegion + +sve_monsters_locations: Dict[str, Tuple[str, ...]] = { + Monster.shadow_brute_dangerous: (SVERegion.highlands_cavern,), + Monster.shadow_sniper: (SVERegion.highlands_cavern,), + Monster.shadow_shaman_dangerous: (SVERegion.highlands_cavern,), + Monster.mummy_dangerous: (SVERegion.crimson_badlands,), + Monster.royal_serpent: (SVERegion.crimson_badlands,), + Monster.skeleton_dangerous: (SVERegion.crimson_badlands,), + Monster.skeleton_mage: (SVERegion.crimson_badlands,), + Monster.dust_sprite_dangerous: (SVERegion.highlands_outside,), +} + +deepwoods_monsters_locations: Dict[str, Tuple[str, ...]] = { + Monster.shadow_brute: (DeepWoodsRegion.floor_10,), + Monster.cave_fly: (DeepWoodsRegion.floor_10,), + Monster.green_slime: (DeepWoodsRegion.floor_10,), +} + +boardinghouse_monsters_locations: Dict[str, Tuple[str, ...]] = { + Monster.shadow_brute: (BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, BoardingHouseRegion.lost_valley_house_2,), + Monster.pepper_rex: (BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_1, BoardingHouseRegion.lost_valley_house_2,), + Monster.iridium_bat: (BoardingHouseRegion.lost_valley_ruins, BoardingHouseRegion.lost_valley_house_2,), + Monster.grub: (BoardingHouseRegion.abandoned_mines_1a, BoardingHouseRegion.abandoned_mines_1b, BoardingHouseRegion.abandoned_mines_2a, + BoardingHouseRegion.abandoned_mines_2b,), + Monster.bug: (BoardingHouseRegion.abandoned_mines_1a, BoardingHouseRegion.abandoned_mines_1b,), + Monster.bat: (BoardingHouseRegion.abandoned_mines_2a, BoardingHouseRegion.abandoned_mines_2b,), + Monster.cave_fly: (BoardingHouseRegion.abandoned_mines_3, BoardingHouseRegion.abandoned_mines_4, BoardingHouseRegion.abandoned_mines_5,), + Monster.frost_bat: (BoardingHouseRegion.abandoned_mines_3, BoardingHouseRegion.abandoned_mines_4, BoardingHouseRegion.abandoned_mines_5,), +} + +modded_monsters_locations: Dict[str, Dict[str, Tuple[str, ...]]] = { + ModNames.sve: sve_monsters_locations, + ModNames.deepwoods: deepwoods_monsters_locations, + ModNames.boarding_house: boardinghouse_monsters_locations +} diff --git a/worlds/stardew_valley/mods/mod_regions.py b/worlds/stardew_valley/mods/mod_regions.py index b05bc9538dba..df0a12f6ef18 100644 --- a/worlds/stardew_valley/mods/mod_regions.py +++ b/worlds/stardew_valley/mods/mod_regions.py @@ -1,8 +1,10 @@ -from ..strings.entrance_names import DeepWoodsEntrance, EugeneEntrance, \ - JasperEntrance, AlecEntrance, YobaEntrance, JunaEntrance, MagicEntrance, AyeishaEntrance, RileyEntrance -from ..strings.region_names import Region, DeepWoodsRegion, EugeneRegion, JasperRegion, \ - AlecRegion, YobaRegion, JunaRegion, MagicRegion, AyeishaRegion, RileyRegion -from ..region_classes import RegionData, ConnectionData, RandomizationFlag, ModRegionData +from typing import Dict, List + +from ..strings.entrance_names import Entrance, DeepWoodsEntrance, EugeneEntrance, LaceyEntrance, BoardingHouseEntrance, \ + JasperEntrance, AlecEntrance, YobaEntrance, JunaEntrance, MagicEntrance, AyeishaEntrance, RileyEntrance, SVEEntrance, AlectoEntrance +from ..strings.region_names import Region, DeepWoodsRegion, EugeneRegion, JasperRegion, BoardingHouseRegion, \ + AlecRegion, YobaRegion, JunaRegion, MagicRegion, AyeishaRegion, RileyRegion, SVERegion, AlectoRegion, LaceyRegion +from ..region_classes import RegionData, ConnectionData, ModificationFlag, RandomizationFlag, ModRegionData from .mod_data import ModNames deep_woods_regions = [ @@ -131,6 +133,232 @@ flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA) ] +stardew_valley_expanded_regions = [ + RegionData(Region.backwoods, [SVEEntrance.backwoods_to_grove]), + RegionData(SVERegion.enchanted_grove, [SVEEntrance.grove_to_outpost_warp, SVEEntrance.grove_to_wizard_warp, + SVEEntrance.grove_to_farm_warp, SVEEntrance.grove_to_guild_warp, SVEEntrance.grove_to_junimo_warp, + SVEEntrance.grove_to_spring_warp, SVEEntrance.grove_to_aurora_warp]), + RegionData(SVERegion.grove_farm_warp, [SVEEntrance.farm_warp_to_farm]), + RegionData(SVERegion.grove_aurora_warp, [SVEEntrance.aurora_warp_to_aurora]), + RegionData(SVERegion.grove_guild_warp, [SVEEntrance.guild_warp_to_guild]), + RegionData(SVERegion.grove_junimo_warp, [SVEEntrance.junimo_warp_to_junimo]), + RegionData(SVERegion.grove_spring_warp, [SVEEntrance.spring_warp_to_spring]), + RegionData(SVERegion.grove_outpost_warp, [SVEEntrance.outpost_warp_to_outpost]), + RegionData(SVERegion.grove_wizard_warp, [SVEEntrance.wizard_warp_to_wizard]), + RegionData(SVERegion.galmoran_outpost, [SVEEntrance.outpost_to_badlands_entrance, SVEEntrance.use_alesia_shop, + SVEEntrance.use_isaac_shop]), + RegionData(SVERegion.badlands_entrance, [SVEEntrance.badlands_entrance_to_badlands]), + RegionData(SVERegion.crimson_badlands, [SVEEntrance.badlands_to_cave]), + RegionData(SVERegion.badlands_cave), + RegionData(Region.bus_stop, [SVEEntrance.bus_stop_to_shed]), + RegionData(SVERegion.grandpas_shed, [SVEEntrance.grandpa_shed_to_interior, SVEEntrance.grandpa_shed_to_town]), + RegionData(SVERegion.grandpas_shed_interior, [SVEEntrance.grandpa_interior_to_upstairs]), + RegionData(SVERegion.grandpas_shed_upstairs), + RegionData(Region.forest, + [SVEEntrance.forest_to_fairhaven, SVEEntrance.forest_to_west, SVEEntrance.forest_to_lost_woods, + SVEEntrance.forest_to_bmv, SVEEntrance.forest_to_marnie_shed]), + RegionData(SVERegion.marnies_shed), + RegionData(SVERegion.fairhaven_farm), + RegionData(Region.town, [SVEEntrance.town_to_bmv, SVEEntrance.town_to_jenkins, + SVEEntrance.town_to_bridge, SVEEntrance.town_to_plot]), + RegionData(SVERegion.blue_moon_vineyard, [SVEEntrance.bmv_to_sophia, SVEEntrance.bmv_to_beach]), + RegionData(SVERegion.sophias_house), + RegionData(SVERegion.jenkins_residence, [SVEEntrance.jenkins_to_cellar]), + RegionData(SVERegion.jenkins_cellar), + RegionData(SVERegion.unclaimed_plot, [SVEEntrance.plot_to_bridge]), + RegionData(SVERegion.shearwater), + RegionData(Region.museum, [SVEEntrance.museum_to_gunther_bedroom]), + RegionData(SVERegion.gunther_bedroom), + RegionData(Region.fish_shop, [SVEEntrance.fish_shop_to_willy_bedroom]), + RegionData(SVERegion.willy_bedroom), + RegionData(Region.mountain, [SVEEntrance.mountain_to_guild_summit]), + RegionData(SVERegion.guild_summit, [SVEEntrance.guild_to_interior, SVEEntrance.guild_to_mines, + SVEEntrance.summit_to_highlands]), + RegionData(Region.railroad, [SVEEntrance.to_susan_house, SVEEntrance.enter_summit, SVEEntrance.railroad_to_grampleton_station]), + RegionData(SVERegion.grampleton_station, [SVEEntrance.grampleton_station_to_grampleton_suburbs]), + RegionData(SVERegion.grampleton_suburbs, [SVEEntrance.grampleton_suburbs_to_scarlett_house]), + RegionData(SVERegion.scarlett_house), + RegionData(Region.wizard_basement, [SVEEntrance.wizard_to_fable_reef]), + RegionData(SVERegion.fable_reef, [SVEEntrance.fable_reef_to_guild]), + RegionData(SVERegion.first_slash_guild, [SVEEntrance.first_slash_guild_to_hallway]), + RegionData(SVERegion.first_slash_hallway, [SVEEntrance.first_slash_hallway_to_room]), + RegionData(SVERegion.first_slash_spare_room), + RegionData(SVERegion.highlands_outside, [SVEEntrance.highlands_to_lance, SVEEntrance.highlands_to_cave]), + RegionData(SVERegion.highlands_cavern, [SVEEntrance.to_dwarf_prison]), + RegionData(SVERegion.dwarf_prison), + RegionData(SVERegion.lances_house, [SVEEntrance.lance_to_ladder]), + RegionData(SVERegion.lances_ladder, [SVEEntrance.lance_ladder_to_highlands]), + RegionData(SVERegion.forest_west, [SVEEntrance.forest_west_to_spring, SVEEntrance.west_to_aurora, + SVEEntrance.use_bear_shop]), + RegionData(SVERegion.aurora_vineyard, [SVEEntrance.to_aurora_basement]), + RegionData(SVERegion.aurora_vineyard_basement), + RegionData(Region.secret_woods, [SVEEntrance.secret_woods_to_west]), + RegionData(SVERegion.bear_shop), + RegionData(SVERegion.sprite_spring, [SVEEntrance.sprite_spring_to_cave]), + RegionData(SVERegion.sprite_spring_cave), + RegionData(SVERegion.lost_woods, [SVEEntrance.lost_woods_to_junimo_woods]), + RegionData(SVERegion.junimo_woods, [SVEEntrance.use_purple_junimo]), + RegionData(SVERegion.purple_junimo_shop), + RegionData(SVERegion.alesia_shop), + RegionData(SVERegion.isaac_shop), + RegionData(SVERegion.summit), + RegionData(SVERegion.susans_house), + RegionData(Region.mountain, [Entrance.mountain_to_adventurer_guild, Entrance.mountain_to_the_mines], ModificationFlag.MODIFIED) + +] + +mandatory_sve_connections = [ + ConnectionData(SVEEntrance.town_to_jenkins, SVERegion.jenkins_residence, flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(SVEEntrance.jenkins_to_cellar, SVERegion.jenkins_cellar, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.forest_to_bmv, SVERegion.blue_moon_vineyard), + ConnectionData(SVEEntrance.bmv_to_beach, Region.beach), + ConnectionData(SVEEntrance.town_to_plot, SVERegion.unclaimed_plot), + ConnectionData(SVEEntrance.town_to_bmv, SVERegion.blue_moon_vineyard), + ConnectionData(SVEEntrance.town_to_bridge, SVERegion.shearwater), + ConnectionData(SVEEntrance.plot_to_bridge, SVERegion.shearwater), + ConnectionData(SVEEntrance.bus_stop_to_shed, SVERegion.grandpas_shed), + ConnectionData(SVEEntrance.grandpa_shed_to_interior, SVERegion.grandpas_shed_interior, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(SVEEntrance.grandpa_interior_to_upstairs, SVERegion.grandpas_shed_upstairs, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.grandpa_shed_to_town, Region.town), + ConnectionData(SVEEntrance.bmv_to_sophia, SVERegion.sophias_house, flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(SVEEntrance.summit_to_highlands, SVERegion.highlands_outside, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.guild_to_interior, Region.adventurer_guild, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.backwoods_to_grove, SVERegion.enchanted_grove, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(SVEEntrance.grove_to_outpost_warp, SVERegion.grove_outpost_warp), + ConnectionData(SVEEntrance.outpost_warp_to_outpost, SVERegion.galmoran_outpost, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.grove_to_wizard_warp, SVERegion.grove_wizard_warp), + ConnectionData(SVEEntrance.wizard_warp_to_wizard, Region.wizard_basement, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.grove_to_aurora_warp, SVERegion.grove_aurora_warp), + ConnectionData(SVEEntrance.aurora_warp_to_aurora, SVERegion.aurora_vineyard_basement, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.grove_to_farm_warp, SVERegion.grove_farm_warp), + ConnectionData(SVEEntrance.to_aurora_basement, SVERegion.aurora_vineyard_basement, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.farm_warp_to_farm, Region.farm), + ConnectionData(SVEEntrance.grove_to_guild_warp, SVERegion.grove_guild_warp), + ConnectionData(SVEEntrance.guild_warp_to_guild, Region.adventurer_guild, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.grove_to_junimo_warp, SVERegion.grove_junimo_warp), + ConnectionData(SVEEntrance.junimo_warp_to_junimo, SVERegion.junimo_woods, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.use_purple_junimo, SVERegion.purple_junimo_shop), + ConnectionData(SVEEntrance.grove_to_spring_warp, SVERegion.grove_spring_warp), + ConnectionData(SVEEntrance.spring_warp_to_spring, SVERegion.sprite_spring, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.wizard_to_fable_reef, SVERegion.fable_reef, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.fable_reef_to_guild, SVERegion.first_slash_guild, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.outpost_to_badlands_entrance, SVERegion.badlands_entrance, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.badlands_entrance_to_badlands, SVERegion.crimson_badlands, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.badlands_to_cave, SVERegion.badlands_cave, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.guild_to_mines, Region.mines, flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(SVEEntrance.mountain_to_guild_summit, SVERegion.guild_summit), + ConnectionData(SVEEntrance.forest_to_west, SVERegion.forest_west), + ConnectionData(SVEEntrance.secret_woods_to_west, SVERegion.forest_west), + ConnectionData(SVEEntrance.west_to_aurora, SVERegion.aurora_vineyard, flag=RandomizationFlag.NON_PROGRESSION), + ConnectionData(SVEEntrance.forest_to_lost_woods, SVERegion.lost_woods), + ConnectionData(SVEEntrance.lost_woods_to_junimo_woods, SVERegion.junimo_woods), + ConnectionData(SVEEntrance.forest_to_marnie_shed, SVERegion.marnies_shed, flag=RandomizationFlag.NON_PROGRESSION), + ConnectionData(SVEEntrance.forest_west_to_spring, SVERegion.sprite_spring, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.to_susan_house, SVERegion.susans_house, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.enter_summit, SVERegion.summit, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.forest_to_fairhaven, SVERegion.fairhaven_farm, flag=RandomizationFlag.NON_PROGRESSION), + ConnectionData(SVEEntrance.highlands_to_lance, SVERegion.lances_house, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.lance_to_ladder, SVERegion.lances_ladder, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.lance_ladder_to_highlands, SVERegion.highlands_outside, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.highlands_to_cave, SVERegion.highlands_cavern, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.use_bear_shop, SVERegion.bear_shop), + ConnectionData(SVEEntrance.use_purple_junimo, SVERegion.purple_junimo_shop), + ConnectionData(SVEEntrance.use_alesia_shop, SVERegion.alesia_shop), + ConnectionData(SVEEntrance.use_isaac_shop, SVERegion.isaac_shop), + ConnectionData(SVEEntrance.to_dwarf_prison, SVERegion.dwarf_prison, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.railroad_to_grampleton_station, SVERegion.grampleton_station), + ConnectionData(SVEEntrance.grampleton_station_to_grampleton_suburbs, SVERegion.grampleton_suburbs), + ConnectionData(SVEEntrance.grampleton_suburbs_to_scarlett_house, SVERegion.scarlett_house, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.first_slash_guild_to_hallway, SVERegion.first_slash_hallway, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.first_slash_hallway_to_room, SVERegion.first_slash_spare_room, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(SVEEntrance.sprite_spring_to_cave, SVERegion.sprite_spring_cave, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.fish_shop_to_willy_bedroom, SVERegion.willy_bedroom, flag=RandomizationFlag.BUILDINGS), + ConnectionData(SVEEntrance.museum_to_gunther_bedroom, SVERegion.gunther_bedroom, flag=RandomizationFlag.BUILDINGS), +] + +alecto_regions = [ + RegionData(Region.witch_hut, [AlectoEntrance.witch_hut_to_witch_attic]), + RegionData(AlectoRegion.witch_attic) +] + +alecto_entrances = [ + ConnectionData(AlectoEntrance.witch_hut_to_witch_attic, AlectoRegion.witch_attic, flag=RandomizationFlag.BUILDINGS) +] + +lacey_regions = [ + RegionData(Region.forest, [LaceyEntrance.forest_to_hat_house]), + RegionData(LaceyRegion.hat_house) +] + +lacey_entrances = [ + ConnectionData(LaceyEntrance.forest_to_hat_house, LaceyRegion.hat_house, flag=RandomizationFlag.BUILDINGS) +] + +boarding_house_regions = [ + RegionData(Region.bus_stop, [BoardingHouseEntrance.bus_stop_to_boarding_house_plateau]), + RegionData(BoardingHouseRegion.boarding_house_plateau, [BoardingHouseEntrance.boarding_house_plateau_to_boarding_house_first, + BoardingHouseEntrance.boarding_house_plateau_to_buffalo_ranch, + BoardingHouseEntrance.boarding_house_plateau_to_abandoned_mines_entrance]), + RegionData(BoardingHouseRegion.boarding_house_first, [BoardingHouseEntrance.boarding_house_first_to_boarding_house_second]), + RegionData(BoardingHouseRegion.boarding_house_second), + RegionData(BoardingHouseRegion.buffalo_ranch), + RegionData(BoardingHouseRegion.abandoned_mines_entrance, [BoardingHouseEntrance.abandoned_mines_entrance_to_abandoned_mines_1a, + BoardingHouseEntrance.abandoned_mines_entrance_to_the_lost_valley]), + RegionData(BoardingHouseRegion.abandoned_mines_1a, [BoardingHouseEntrance.abandoned_mines_1a_to_abandoned_mines_1b]), + RegionData(BoardingHouseRegion.abandoned_mines_1b, [BoardingHouseEntrance.abandoned_mines_1b_to_abandoned_mines_2a]), + RegionData(BoardingHouseRegion.abandoned_mines_2a, [BoardingHouseEntrance.abandoned_mines_2a_to_abandoned_mines_2b]), + RegionData(BoardingHouseRegion.abandoned_mines_2b, [BoardingHouseEntrance.abandoned_mines_2b_to_abandoned_mines_3]), + RegionData(BoardingHouseRegion.abandoned_mines_3, [BoardingHouseEntrance.abandoned_mines_3_to_abandoned_mines_4]), + RegionData(BoardingHouseRegion.abandoned_mines_4, [BoardingHouseEntrance.abandoned_mines_4_to_abandoned_mines_5]), + RegionData(BoardingHouseRegion.abandoned_mines_5, [BoardingHouseEntrance.abandoned_mines_5_to_the_lost_valley]), + RegionData(BoardingHouseRegion.the_lost_valley, [BoardingHouseEntrance.the_lost_valley_to_gregory_tent, + BoardingHouseEntrance.lost_valley_to_lost_valley_minecart, + BoardingHouseEntrance.the_lost_valley_to_lost_valley_ruins]), + RegionData(BoardingHouseRegion.gregory_tent), + RegionData(BoardingHouseRegion.lost_valley_ruins, [BoardingHouseEntrance.lost_valley_ruins_to_lost_valley_house_1, + BoardingHouseEntrance.lost_valley_ruins_to_lost_valley_house_2]), + RegionData(BoardingHouseRegion.lost_valley_minecart), + RegionData(BoardingHouseRegion.lost_valley_house_1), + RegionData(BoardingHouseRegion.lost_valley_house_2) +] + +boarding_house_entrances = [ + ConnectionData(BoardingHouseEntrance.bus_stop_to_boarding_house_plateau, BoardingHouseRegion.boarding_house_plateau), + ConnectionData(BoardingHouseEntrance.boarding_house_plateau_to_boarding_house_first, BoardingHouseRegion.boarding_house_first, + flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(BoardingHouseEntrance.boarding_house_first_to_boarding_house_second, BoardingHouseRegion.boarding_house_second, + flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.boarding_house_plateau_to_buffalo_ranch, BoardingHouseRegion.buffalo_ranch, + flag=RandomizationFlag.BUILDINGS | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(BoardingHouseEntrance.boarding_house_plateau_to_abandoned_mines_entrance, BoardingHouseRegion.abandoned_mines_entrance, + flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(BoardingHouseEntrance.abandoned_mines_entrance_to_the_lost_valley, BoardingHouseRegion.lost_valley_minecart, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_entrance_to_abandoned_mines_1a, BoardingHouseRegion.abandoned_mines_1a, + flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_1a_to_abandoned_mines_1b, BoardingHouseRegion.abandoned_mines_1b, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_1b_to_abandoned_mines_2a, BoardingHouseRegion.abandoned_mines_2a, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_2a_to_abandoned_mines_2b, BoardingHouseRegion.abandoned_mines_2b, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_2b_to_abandoned_mines_3, BoardingHouseRegion.abandoned_mines_3, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_3_to_abandoned_mines_4, BoardingHouseRegion.abandoned_mines_4, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_4_to_abandoned_mines_5, BoardingHouseRegion.abandoned_mines_5, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.abandoned_mines_5_to_the_lost_valley, BoardingHouseRegion.the_lost_valley, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.the_lost_valley_to_gregory_tent, BoardingHouseRegion.gregory_tent, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.lost_valley_to_lost_valley_minecart, BoardingHouseRegion.lost_valley_minecart), + ConnectionData(BoardingHouseEntrance.the_lost_valley_to_lost_valley_ruins, BoardingHouseRegion.lost_valley_ruins, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.lost_valley_ruins_to_lost_valley_house_1, BoardingHouseRegion.lost_valley_house_1, flag=RandomizationFlag.BUILDINGS), + ConnectionData(BoardingHouseEntrance.lost_valley_ruins_to_lost_valley_house_2, BoardingHouseRegion.lost_valley_house_2, flag=RandomizationFlag.BUILDINGS) + + +] + +vanilla_connections_to_remove_by_mod: Dict[str, List[ConnectionData]] = { + ModNames.sve: [ConnectionData(Entrance.mountain_to_the_mines, Region.mines, + flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(Entrance.mountain_to_adventurer_guild, Region.adventurer_guild, + flag=RandomizationFlag.BUILDINGS | RandomizationFlag.LEAD_TO_OPEN_AREA), + ] +} + ModDataList = { ModNames.deepwoods: ModRegionData(ModNames.deepwoods, deep_woods_regions, deep_woods_entrances), ModNames.eugene: ModRegionData(ModNames.eugene, eugene_regions, eugene_entrances), @@ -141,4 +369,8 @@ ModNames.magic: ModRegionData(ModNames.magic, magic_regions, magic_entrances), ModNames.ayeisha: ModRegionData(ModNames.ayeisha, ayeisha_regions, ayeisha_entrances), ModNames.riley: ModRegionData(ModNames.riley, riley_regions, riley_entrances), + ModNames.sve: ModRegionData(ModNames.sve, stardew_valley_expanded_regions, mandatory_sve_connections), + ModNames.alecto: ModRegionData(ModNames.alecto, alecto_regions, alecto_entrances), + ModNames.lacey: ModRegionData(ModNames.lacey, lacey_regions, lacey_entrances), + ModNames.boarding_house: ModRegionData(ModNames.boarding_house, boarding_house_regions, boarding_house_entrances), } diff --git a/worlds/stardew_valley/options.py b/worlds/stardew_valley/options.py index 267ebd7a63de..0419c15298f4 100644 --- a/worlds/stardew_valley/options.py +++ b/worlds/stardew_valley/options.py @@ -7,15 +7,22 @@ class Goal(Choice): """What's your goal with this play-through? - Community Center: Complete the Community Center. - Grandpa's Evaluation: Succeed grandpa's evaluation with 4 lit candles. - Bottom of the Mines: Reach level 120 in the mineshaft. - Cryptic Note: Complete the quest "Cryptic Note" where Mr Qi asks you to reach floor 100 in the Skull Cavern. - Master Angler: Catch every fish in the game. Pairs well with Fishsanity. - Complete Collection: Complete the museum by donating every possible item. Pairs well with Museumsanity. - Full House: Get married and have two children. Pairs well with Friendsanity. + Community Center: Complete the Community Center + Grandpa's Evaluation: Succeed Grandpa's evaluation with 4 lit candles + Bottom of the Mines: Reach level 120 in the mineshaft + Cryptic Note: Complete the quest "Cryptic Note" where Mr Qi asks you to reach floor 100 in the Skull Cavern + Master Angler: Catch every fish. Adapts to chosen Fishsanity option + Complete Collection: Complete the museum by donating every possible item. Pairs well with Museumsanity + Full House: Get married and have two children. Pairs well with Friendsanity Greatest Walnut Hunter: Find all 130 Golden Walnuts - Perfection: Attain Perfection, based on the vanilla definition. + Protector of the Valley: Complete all the monster slayer goals. Adapts to Monstersanity + Full Shipment: Ship every item in the collection tab. Adapts to Shipsanity + Gourmet Chef: Cook every recipe. Adapts to Cooksanity + Craft Master: Craft every item. Adapts to Craftsanity + Legend: Earn 10 000 000g + Mystery of the Stardrops: Find every stardrop + Allsanity: Complete every check in your slot + Perfection: Attain Perfection, based on the vanilla definition """ internal_name = "goal" display_name = "Goal" @@ -28,16 +35,18 @@ class Goal(Choice): option_complete_collection = 5 option_full_house = 6 option_greatest_walnut_hunter = 7 + option_protector_of_the_valley = 8 + option_full_shipment = 9 + option_gourmet_chef = 10 + option_craft_master = 11 + option_legend = 12 + option_mystery_of_the_stardrops = 13 # option_junimo_kart = # option_prairie_king = # option_fector_challenge = - # option_craft_master = - # option_mystery_of_the_stardrops = - # option_protector_of_the_valley = - # option_full_shipment = - # option_legend = # option_beloved_farmer = # option_master_of_the_five_ways = + option_allsanity = 24 option_perfection = 25 @classmethod @@ -48,6 +57,20 @@ def get_option_name(cls, value) -> str: return super().get_option_name(value) +class FarmType(Choice): + """What farm to play on?""" + internal_name = "farm_type" + display_name = "Farm Type" + default = "random" + option_standard = 0 + option_riverland = 1 + option_forest = 2 + option_hill_top = 3 + option_wilderness = 4 + option_four_corners = 5 + option_beach = 6 + + class StartingMoney(NamedRange): """Amount of gold when arriving at the farm. Set to -1 or unlimited for infinite money""" @@ -90,28 +113,36 @@ class BundleRandomization(Choice): """What items are needed for the community center bundles? Vanilla: Standard bundles from the vanilla game Thematic: Every bundle will require random items compatible with their original theme + Remixed: Picks bundles at random from thematic, vanilla remixed and new custom ones Shuffled: Every bundle will require random items and follow no particular structure""" internal_name = "bundle_randomization" display_name = "Bundle Randomization" - default = 1 + default = 2 option_vanilla = 0 option_thematic = 1 - option_shuffled = 2 + option_remixed = 2 + option_shuffled = 3 class BundlePrice(Choice): """How many items are needed for the community center bundles? + Minimum: Every bundle will require only one item Very Cheap: Every bundle will require 2 items fewer than usual Cheap: Every bundle will require 1 item fewer than usual Normal: Every bundle will require the vanilla number of items - Expensive: Every bundle will require 1 extra item when applicable""" + Expensive: Every bundle will require 1 extra item + Very Expensive: Every bundle will require 2 extra items + Maximum: Every bundle will require many extra items""" internal_name = "bundle_price" display_name = "Bundle Price" - default = 2 - option_very_cheap = 0 - option_cheap = 1 - option_normal = 2 - option_expensive = 3 + default = 0 + option_minimum = -8 + option_very_cheap = -2 + option_cheap = -1 + option_normal = 0 + option_expensive = 1 + option_very_expensive = 2 + option_maximum = 8 class EntranceRandomization(Choice): @@ -189,12 +220,18 @@ class BackpackProgression(Choice): class ToolProgression(Choice): """Shuffle the tool upgrades? Vanilla: Clint will upgrade your tools with metal bars. - Progressive: You will randomly find Progressive Tool upgrades.""" + Progressive: You will randomly find Progressive Tool upgrades. + Cheap: Tool Upgrades will cost 2/5th as much + Very Cheap: Tool Upgrades will cost 1/5th as much""" internal_name = "tool_progression" display_name = "Tool Progression" default = 1 - option_vanilla = 0 - option_progressive = 1 + option_vanilla = 0b000 # 0 + option_progressive = 0b001 # 1 + option_vanilla_cheap = 0b010 # 2 + option_vanilla_very_cheap = 0b100 # 4 + option_progressive_cheap = 0b011 # 3 + option_progressive_very_cheap = 0b101 # 5 class ElevatorProgression(Choice): @@ -228,13 +265,18 @@ class BuildingProgression(Choice): Progressive: You will receive the buildings and will be able to build the first one of each type for free, once it is received. If you want more of the same building, it will cost the vanilla price. Progressive early shipping bin: Same as Progressive, but the shipping bin will be placed early in the multiworld. + Cheap: Buildings will cost half as much + Very Cheap: Buildings will cost 1/5th as much """ internal_name = "building_progression" display_name = "Building Progression" - default = 2 - option_vanilla = 0 - option_progressive = 1 - option_progressive_early_shipping_bin = 2 + default = 3 + option_vanilla = 0b000 # 0 + option_vanilla_cheap = 0b010 # 2 + option_vanilla_very_cheap = 0b100 # 4 + option_progressive = 0b001 # 1 + option_progressive_cheap = 0b011 # 3 + option_progressive_very_cheap = 0b101 # 5 class FestivalLocations(Choice): @@ -283,19 +325,23 @@ class SpecialOrderLocations(Choice): option_board_qi = 2 -class HelpWantedLocations(NamedRange): - """Include location checks for Help Wanted quests - Out of every 7 quests, 4 will be item deliveries, and then 1 of each for: Fishing, Gathering and Slaying Monsters. - Choosing a multiple of 7 is recommended.""" - internal_name = "help_wanted_locations" +class QuestLocations(NamedRange): + """Include location checks for quests + None: No quests are checks + Story: Only story quests are checks + Number: Story quests and help wanted quests are checks up to the specified amount. Multiple of 7 recommended + Out of every 7 help wanted quests, 4 will be item deliveries, and then 1 of each for: Fishing, Gathering and Slaying Monsters. + Extra Help wanted quests might be added if current settings don't have enough locations""" + internal_name = "quest_locations" default = 7 range_start = 0 range_end = 56 # step = 7 - display_name = "Number of Help Wanted locations" + display_name = "Quest Locations" special_range_names = { - "none": 0, + "none": -1, + "story": 0, "minimum": 7, "normal": 14, "lots": 28, @@ -344,6 +390,115 @@ class Museumsanity(Choice): option_all = 3 +class Monstersanity(Choice): + """Locations for slaying monsters? + None: There are no checks for slaying monsters + One per category: Every category visible at the adventure guild gives one check + One per Monster: Every unique monster gives one check + Monster Eradication Goals: The Monster Eradication Goals each contain one check + Short Monster Eradication Goals: The Monster Eradication Goals each contain one check, but are reduced by 60% + Very Short Monster Eradication Goals: The Monster Eradication Goals each contain one check, but are reduced by 90% + Progressive Eradication Goals: The Monster Eradication Goals each contain 5 checks, each 20% of the way + Split Eradication Goals: The Monster Eradication Goals are split by monsters, each monster has one check + """ + internal_name = "monstersanity" + display_name = "Monstersanity" + default = 1 + option_none = 0 + option_one_per_category = 1 + option_one_per_monster = 2 + option_goals = 3 + option_short_goals = 4 + option_very_short_goals = 5 + option_progressive_goals = 6 + option_split_goals = 7 + + +class Shipsanity(Choice): + """Locations for shipping items? + None: There are no checks for shipping items + Crops: Every crop and forageable being shipped is a check + Fish: Every fish being shipped is a check except legendaries + Full Shipment: Every item in the Collections page is a check + Full Shipment With Fish: Every item in the Collections page and every fish is a check + Everything: Every item in the game that can be shipped is a check + """ + internal_name = "shipsanity" + display_name = "Shipsanity" + default = 0 + option_none = 0 + option_crops = 1 + # option_quality_crops = 2 + option_fish = 3 + # option_quality_fish = 4 + option_full_shipment = 5 + # option_quality_full_shipment = 6 + option_full_shipment_with_fish = 7 + # option_quality_full_shipment_with_fish = 8 + option_everything = 9 + # option_quality_everything = 10 + + +class Cooksanity(Choice): + """Locations for cooking food? + None: There are no checks for cooking + Queen of Sauce: Every Queen of Sauce Recipe can be cooked for a check + All: Every cooking recipe can be cooked for a check + """ + internal_name = "cooksanity" + display_name = "Cooksanity" + default = 0 + option_none = 0 + option_queen_of_sauce = 1 + option_all = 2 + + +class Chefsanity(NamedRange): + """Locations for leaning cooking recipes? + Vanilla: All cooking recipes are learned normally + Queen of Sauce: Every Queen of sauce episode is a check, all queen of sauce recipes are items + Purchases: Every purchasable recipe is a check + Friendship: Recipes obtained from friendship are checks + Skills: Recipes obtained from skills are checks + All: Learning every cooking recipe is a check + """ + internal_name = "chefsanity" + display_name = "Chefsanity" + default = 0 + range_start = 0 + range_end = 15 + + option_none = 0b0000 # 0 + option_queen_of_sauce = 0b0001 # 1 + option_purchases = 0b0010 # 2 + option_qos_and_purchases = 0b0011 # 3 + option_skills = 0b0100 # 4 + option_friendship = 0b1000 # 8 + option_all = 0b1111 # 15 + + special_range_names = { + "none": 0b0000, # 0 + "queen_of_sauce": 0b0001, # 1 + "purchases": 0b0010, # 2 + "qos_and_purchases": 0b0011, # 3 + "skills": 0b0100, # 4 + "friendship": 0b1000, # 8 + "all": 0b1111, # 15 + } + + +class Craftsanity(Choice): + """Checks for crafting items? + If enabled, all recipes purchased in shops will be checks as well. + Recipes obtained from other sources will depend on related archipelago settings + """ + internal_name = "craftsanity" + display_name = "Craftsanity" + default = 0 + option_none = 0 + option_all = 1 + + class Friendsanity(Choice): """Shuffle Friendships? None: Friendship hearts are earned normally @@ -530,13 +685,15 @@ class Mods(OptionSet): ModNames.cooking_skill, ModNames.binning_skill, ModNames.juna, ModNames.jasper, ModNames.alec, ModNames.yoba, ModNames.eugene, ModNames.wellwick, ModNames.ginger, ModNames.shiko, ModNames.delores, - ModNames.ayeisha, ModNames.riley, ModNames.skull_cavern_elevator + ModNames.ayeisha, ModNames.riley, ModNames.skull_cavern_elevator, ModNames.sve, ModNames.distant_lands, + ModNames.alecto, ModNames.lacey, ModNames.boarding_house } @dataclass class StardewValleyOptions(PerGameCommonOptions): goal: Goal + farm_type: FarmType starting_money: StartingMoney profit_margin: ProfitMargin bundle_randomization: BundleRandomization @@ -552,9 +709,14 @@ class StardewValleyOptions(PerGameCommonOptions): elevator_progression: ElevatorProgression arcade_machine_locations: ArcadeMachineLocations special_order_locations: SpecialOrderLocations - help_wanted_locations: HelpWantedLocations + quest_locations: QuestLocations fishsanity: Fishsanity museumsanity: Museumsanity + monstersanity: Monstersanity + shipsanity: Shipsanity + cooksanity: Cooksanity + chefsanity: Chefsanity + craftsanity: Craftsanity friendsanity: Friendsanity friendsanity_heart_size: FriendsanityHeartSize movement_buff_number: NumberOfMovementBuffs diff --git a/worlds/stardew_valley/presets.py b/worlds/stardew_valley/presets.py index 8823c52e5b20..020b3f49277f 100644 --- a/worlds/stardew_valley/presets.py +++ b/worlds/stardew_valley/presets.py @@ -3,14 +3,15 @@ from Options import Accessibility, ProgressionBalancing, DeathLink from .options import Goal, StartingMoney, ProfitMargin, BundleRandomization, BundlePrice, EntranceRandomization, SeasonRandomization, Cropsanity, \ BackpackProgression, ToolProgression, ElevatorProgression, SkillProgression, BuildingProgression, FestivalLocations, ArcadeMachineLocations, \ - SpecialOrderLocations, HelpWantedLocations, Fishsanity, Museumsanity, Friendsanity, FriendsanityHeartSize, NumberOfMovementBuffs, NumberOfLuckBuffs, \ + SpecialOrderLocations, QuestLocations, Fishsanity, Museumsanity, Friendsanity, FriendsanityHeartSize, NumberOfMovementBuffs, NumberOfLuckBuffs, \ ExcludeGingerIsland, TrapItems, MultipleDaySleepEnabled, MultipleDaySleepCost, ExperienceMultiplier, FriendshipMultiplier, DebrisMultiplier, QuickStart, \ - Gifting + Gifting, FarmType, Monstersanity, Shipsanity, Cooksanity, Chefsanity, Craftsanity all_random_settings = { "progression_balancing": "random", "accessibility": "random", Goal.internal_name: "random", + FarmType.internal_name: "random", StartingMoney.internal_name: "random", ProfitMargin.internal_name: "random", BundleRandomization.internal_name: "random", @@ -26,9 +27,14 @@ FestivalLocations.internal_name: "random", ArcadeMachineLocations.internal_name: "random", SpecialOrderLocations.internal_name: "random", - HelpWantedLocations.internal_name: "random", + QuestLocations.internal_name: "random", Fishsanity.internal_name: "random", Museumsanity.internal_name: "random", + Monstersanity.internal_name: "random", + Shipsanity.internal_name: "random", + Cooksanity.internal_name: "random", + Chefsanity.internal_name: "random", + Craftsanity.internal_name: "random", Friendsanity.internal_name: "random", FriendsanityHeartSize.internal_name: "random", NumberOfMovementBuffs.internal_name: "random", @@ -49,6 +55,7 @@ "progression_balancing": ProgressionBalancing.default, "accessibility": Accessibility.option_items, Goal.internal_name: Goal.option_community_center, + FarmType.internal_name: "random", StartingMoney.internal_name: "very rich", ProfitMargin.internal_name: "double", BundleRandomization.internal_name: BundleRandomization.option_thematic, @@ -60,13 +67,18 @@ ToolProgression.internal_name: ToolProgression.option_progressive, ElevatorProgression.internal_name: ElevatorProgression.option_progressive, SkillProgression.internal_name: SkillProgression.option_progressive, - BuildingProgression.internal_name: BuildingProgression.option_progressive_early_shipping_bin, + BuildingProgression.internal_name: BuildingProgression.option_progressive_very_cheap, FestivalLocations.internal_name: FestivalLocations.option_easy, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_disabled, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_disabled, - HelpWantedLocations.internal_name: "minimum", + QuestLocations.internal_name: "minimum", Fishsanity.internal_name: Fishsanity.option_only_easy_fish, Museumsanity.internal_name: Museumsanity.option_milestones, + Monstersanity.internal_name: Monstersanity.option_one_per_category, + Shipsanity.internal_name: Shipsanity.option_none, + Cooksanity.internal_name: Cooksanity.option_none, + Chefsanity.internal_name: Chefsanity.option_none, + Craftsanity.internal_name: Craftsanity.option_none, Friendsanity.internal_name: Friendsanity.option_none, FriendsanityHeartSize.internal_name: 4, NumberOfMovementBuffs.internal_name: 8, @@ -87,6 +99,7 @@ "progression_balancing": 25, "accessibility": Accessibility.option_locations, Goal.internal_name: Goal.option_community_center, + FarmType.internal_name: "random", StartingMoney.internal_name: "rich", ProfitMargin.internal_name: 150, BundleRandomization.internal_name: BundleRandomization.option_thematic, @@ -98,13 +111,18 @@ ToolProgression.internal_name: ToolProgression.option_progressive, ElevatorProgression.internal_name: ElevatorProgression.option_progressive_from_previous_floor, SkillProgression.internal_name: SkillProgression.option_progressive, - BuildingProgression.internal_name: BuildingProgression.option_progressive_early_shipping_bin, + BuildingProgression.internal_name: BuildingProgression.option_progressive_cheap, FestivalLocations.internal_name: FestivalLocations.option_hard, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_victories_easy, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_only, - HelpWantedLocations.internal_name: "normal", + QuestLocations.internal_name: "normal", Fishsanity.internal_name: Fishsanity.option_exclude_legendaries, Museumsanity.internal_name: Museumsanity.option_milestones, + Monstersanity.internal_name: Monstersanity.option_one_per_monster, + Shipsanity.internal_name: Shipsanity.option_none, + Cooksanity.internal_name: Cooksanity.option_none, + Chefsanity.internal_name: Chefsanity.option_queen_of_sauce, + Craftsanity.internal_name: Craftsanity.option_none, Friendsanity.internal_name: Friendsanity.option_starting_npcs, FriendsanityHeartSize.internal_name: 4, NumberOfMovementBuffs.internal_name: 6, @@ -125,6 +143,7 @@ "progression_balancing": 0, "accessibility": Accessibility.option_locations, Goal.internal_name: Goal.option_grandpa_evaluation, + FarmType.internal_name: "random", StartingMoney.internal_name: "extra", ProfitMargin.internal_name: "normal", BundleRandomization.internal_name: BundleRandomization.option_thematic, @@ -140,9 +159,14 @@ FestivalLocations.internal_name: FestivalLocations.option_hard, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_full_shuffling, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, - HelpWantedLocations.internal_name: "lots", + QuestLocations.internal_name: "lots", Fishsanity.internal_name: Fishsanity.option_all, Museumsanity.internal_name: Museumsanity.option_all, + Monstersanity.internal_name: Monstersanity.option_progressive_goals, + Shipsanity.internal_name: Shipsanity.option_crops, + Cooksanity.internal_name: Cooksanity.option_queen_of_sauce, + Chefsanity.internal_name: Chefsanity.option_qos_and_purchases, + Craftsanity.internal_name: Craftsanity.option_none, Friendsanity.internal_name: Friendsanity.option_all, FriendsanityHeartSize.internal_name: 4, NumberOfMovementBuffs.internal_name: 4, @@ -163,6 +187,7 @@ "progression_balancing": 0, "accessibility": Accessibility.option_locations, Goal.internal_name: Goal.option_community_center, + FarmType.internal_name: "random", StartingMoney.internal_name: "vanilla", ProfitMargin.internal_name: "half", BundleRandomization.internal_name: BundleRandomization.option_shuffled, @@ -178,9 +203,14 @@ FestivalLocations.internal_name: FestivalLocations.option_hard, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_full_shuffling, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, - HelpWantedLocations.internal_name: "maximum", + QuestLocations.internal_name: "maximum", Fishsanity.internal_name: Fishsanity.option_special, Museumsanity.internal_name: Museumsanity.option_all, + Monstersanity.internal_name: Monstersanity.option_split_goals, + Shipsanity.internal_name: Shipsanity.option_full_shipment_with_fish, + Cooksanity.internal_name: Cooksanity.option_queen_of_sauce, + Chefsanity.internal_name: Chefsanity.option_qos_and_purchases, + Craftsanity.internal_name: Craftsanity.option_none, Friendsanity.internal_name: Friendsanity.option_all_with_marriage, FriendsanityHeartSize.internal_name: 4, NumberOfMovementBuffs.internal_name: 2, @@ -201,6 +231,7 @@ "progression_balancing": ProgressionBalancing.default, "accessibility": Accessibility.option_items, Goal.internal_name: Goal.option_bottom_of_the_mines, + FarmType.internal_name: "random", StartingMoney.internal_name: "filthy rich", ProfitMargin.internal_name: "quadruple", BundleRandomization.internal_name: BundleRandomization.option_thematic, @@ -212,13 +243,18 @@ ToolProgression.internal_name: ToolProgression.option_progressive, ElevatorProgression.internal_name: ElevatorProgression.option_progressive_from_previous_floor, SkillProgression.internal_name: SkillProgression.option_progressive, - BuildingProgression.internal_name: BuildingProgression.option_progressive_early_shipping_bin, + BuildingProgression.internal_name: BuildingProgression.option_progressive_very_cheap, FestivalLocations.internal_name: FestivalLocations.option_disabled, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_disabled, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_disabled, - HelpWantedLocations.internal_name: "none", + QuestLocations.internal_name: "none", Fishsanity.internal_name: Fishsanity.option_none, Museumsanity.internal_name: Museumsanity.option_none, + Monstersanity.internal_name: Monstersanity.option_none, + Shipsanity.internal_name: Shipsanity.option_none, + Cooksanity.internal_name: Cooksanity.option_none, + Chefsanity.internal_name: Chefsanity.option_none, + Craftsanity.internal_name: Craftsanity.option_none, Friendsanity.internal_name: Friendsanity.option_none, FriendsanityHeartSize.internal_name: 4, NumberOfMovementBuffs.internal_name: 10, @@ -235,10 +271,11 @@ "death_link": "false", } -lowsanity_settings = { +minsanity_settings = { "progression_balancing": ProgressionBalancing.default, "accessibility": Accessibility.option_minimal, Goal.internal_name: Goal.default, + FarmType.internal_name: "random", StartingMoney.internal_name: StartingMoney.default, ProfitMargin.internal_name: ProfitMargin.default, BundleRandomization.internal_name: BundleRandomization.default, @@ -254,9 +291,14 @@ FestivalLocations.internal_name: FestivalLocations.option_disabled, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_disabled, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_disabled, - HelpWantedLocations.internal_name: "none", + QuestLocations.internal_name: "none", Fishsanity.internal_name: Fishsanity.option_none, Museumsanity.internal_name: Museumsanity.option_none, + Monstersanity.internal_name: Monstersanity.option_none, + Shipsanity.internal_name: Shipsanity.option_none, + Cooksanity.internal_name: Cooksanity.option_none, + Chefsanity.internal_name: Chefsanity.option_none, + Craftsanity.internal_name: Craftsanity.option_none, Friendsanity.internal_name: Friendsanity.option_none, FriendsanityHeartSize.internal_name: FriendsanityHeartSize.default, NumberOfMovementBuffs.internal_name: NumberOfMovementBuffs.default, @@ -277,6 +319,7 @@ "progression_balancing": ProgressionBalancing.default, "accessibility": Accessibility.option_locations, Goal.internal_name: Goal.default, + FarmType.internal_name: "random", StartingMoney.internal_name: StartingMoney.default, ProfitMargin.internal_name: ProfitMargin.default, BundleRandomization.internal_name: BundleRandomization.default, @@ -288,13 +331,18 @@ ToolProgression.internal_name: ToolProgression.option_progressive, ElevatorProgression.internal_name: ElevatorProgression.option_progressive, SkillProgression.internal_name: SkillProgression.option_progressive, - BuildingProgression.internal_name: BuildingProgression.option_progressive_early_shipping_bin, + BuildingProgression.internal_name: BuildingProgression.option_progressive, FestivalLocations.internal_name: FestivalLocations.option_hard, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_full_shuffling, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, - HelpWantedLocations.internal_name: "maximum", + QuestLocations.internal_name: "maximum", Fishsanity.internal_name: Fishsanity.option_all, Museumsanity.internal_name: Museumsanity.option_all, + Monstersanity.internal_name: Monstersanity.option_progressive_goals, + Shipsanity.internal_name: Shipsanity.option_everything, + Cooksanity.internal_name: Cooksanity.option_all, + Chefsanity.internal_name: Chefsanity.option_all, + Craftsanity.internal_name: Craftsanity.option_all, Friendsanity.internal_name: Friendsanity.option_all, FriendsanityHeartSize.internal_name: 1, NumberOfMovementBuffs.internal_name: 12, @@ -318,6 +366,6 @@ "Hard": hard_settings, "Nightmare": nightmare_settings, "Short": short_settings, - "Lowsanity": lowsanity_settings, + "Minsanity": minsanity_settings, "Allsanity": allsanity_settings, } diff --git a/worlds/stardew_valley/region_classes.py b/worlds/stardew_valley/region_classes.py index 9db322416a4d..eaabcfa5fd36 100644 --- a/worlds/stardew_valley/region_classes.py +++ b/worlds/stardew_valley/region_classes.py @@ -5,6 +5,10 @@ connector_keyword = " to " +class ModificationFlag(IntFlag): + NOT_MODIFIED = 0 + MODIFIED = 1 + class RandomizationFlag(IntFlag): NOT_RANDOMIZED = 0b0 PELICAN_TOWN = 0b11111 @@ -20,6 +24,7 @@ class RandomizationFlag(IntFlag): class RegionData: name: str exits: List[str] = field(default_factory=list) + flag: ModificationFlag = ModificationFlag.NOT_MODIFIED def get_merged_with(self, exits: List[str]): merged_exits = [] @@ -29,6 +34,10 @@ def get_merged_with(self, exits: List[str]): merged_exits = list(set(merged_exits)) return RegionData(self.name, merged_exits) + def get_without_exit(self, exit_to_remove: str): + exits = [exit for exit in self.exits if exit != exit_to_remove] + return RegionData(self.name, exits) + def get_clone(self): return self.get_merged_with(None) diff --git a/worlds/stardew_valley/regions.py b/worlds/stardew_valley/regions.py index d8e224841143..4284b438f806 100644 --- a/worlds/stardew_valley/regions.py +++ b/worlds/stardew_valley/regions.py @@ -2,11 +2,11 @@ from typing import Iterable, Dict, Protocol, List, Tuple, Set from BaseClasses import Region, Entrance -from .options import EntranceRandomization, ExcludeGingerIsland, Museumsanity +from .options import EntranceRandomization, ExcludeGingerIsland, Museumsanity, StardewValleyOptions from .strings.entrance_names import Entrance from .strings.region_names import Region -from .region_classes import RegionData, ConnectionData, RandomizationFlag -from .mods.mod_regions import ModDataList +from .region_classes import RegionData, ConnectionData, RandomizationFlag, ModificationFlag +from .mods.mod_regions import ModDataList, vanilla_connections_to_remove_by_mod class RegionFactory(Protocol): @@ -17,12 +17,18 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: vanilla_regions = [ RegionData(Region.menu, [Entrance.to_stardew_valley]), RegionData(Region.stardew_valley, [Entrance.to_farmhouse]), - RegionData(Region.farm_house, [Entrance.farmhouse_to_farm, Entrance.downstairs_to_cellar]), + RegionData(Region.farm_house, [Entrance.farmhouse_to_farm, Entrance.downstairs_to_cellar, Entrance.farmhouse_cooking, Entrance.watch_queen_of_sauce]), RegionData(Region.cellar), + RegionData(Region.kitchen), + RegionData(Region.queen_of_sauce), RegionData(Region.farm, [Entrance.farm_to_backwoods, Entrance.farm_to_bus_stop, Entrance.farm_to_forest, Entrance.farm_to_farmcave, Entrance.enter_greenhouse, - Entrance.use_desert_obelisk, Entrance.use_island_obelisk]), + Entrance.enter_coop, Entrance.enter_barn, + Entrance.enter_shed, Entrance.enter_slime_hutch, + Entrance.farming, Entrance.shipping]), + RegionData(Region.farming), + RegionData(Region.shipping), RegionData(Region.backwoods, [Entrance.backwoods_to_mountain]), RegionData(Region.bus_stop, [Entrance.bus_stop_to_town, Entrance.take_bus_to_desert, Entrance.bus_stop_to_tunnel_entrance]), @@ -30,8 +36,22 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: [Entrance.forest_to_town, Entrance.enter_secret_woods, Entrance.forest_to_wizard_tower, Entrance.forest_to_marnie_ranch, Entrance.forest_to_leah_cottage, Entrance.forest_to_sewer, - Entrance.buy_from_traveling_merchant]), - RegionData(Region.traveling_cart), + Entrance.buy_from_traveling_merchant, + Entrance.attend_flower_dance, Entrance.attend_festival_of_ice]), + RegionData(Region.traveling_cart, [Entrance.buy_from_traveling_merchant_sunday, + Entrance.buy_from_traveling_merchant_monday, + Entrance.buy_from_traveling_merchant_tuesday, + Entrance.buy_from_traveling_merchant_wednesday, + Entrance.buy_from_traveling_merchant_thursday, + Entrance.buy_from_traveling_merchant_friday, + Entrance.buy_from_traveling_merchant_saturday]), + RegionData(Region.traveling_cart_sunday), + RegionData(Region.traveling_cart_monday), + RegionData(Region.traveling_cart_tuesday), + RegionData(Region.traveling_cart_wednesday), + RegionData(Region.traveling_cart_thursday), + RegionData(Region.traveling_cart_friday), + RegionData(Region.traveling_cart_saturday), RegionData(Region.farm_cave), RegionData(Region.greenhouse), RegionData(Region.mountain, @@ -51,15 +71,19 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: Entrance.town_to_sam_house, Entrance.town_to_haley_house, Entrance.town_to_sewer, Entrance.town_to_clint_blacksmith, Entrance.town_to_museum, - Entrance.town_to_jojamart]), - RegionData(Region.beach, - [Entrance.beach_to_willy_fish_shop, Entrance.enter_elliott_house, Entrance.enter_tide_pools]), + Entrance.town_to_jojamart, Entrance.purchase_movie_ticket, + Entrance.attend_egg_festival, Entrance.attend_fair, Entrance.attend_spirit_eve, Entrance.attend_winter_star]), + RegionData(Region.beach, [Entrance.beach_to_willy_fish_shop, Entrance.enter_elliott_house, Entrance.enter_tide_pools, + Entrance.fishing, + Entrance.attend_luau, Entrance.attend_moonlight_jellies, Entrance.attend_night_market]), + RegionData(Region.fishing), RegionData(Region.railroad, [Entrance.enter_bathhouse_entrance, Entrance.enter_witch_warp_cave]), RegionData(Region.ranch), RegionData(Region.leah_house), RegionData(Region.sewer, [Entrance.enter_mutant_bug_lair]), RegionData(Region.mutant_bug_lair), - RegionData(Region.wizard_tower, [Entrance.enter_wizard_basement]), + RegionData(Region.wizard_tower, [Entrance.enter_wizard_basement, + Entrance.use_desert_obelisk, Entrance.use_island_obelisk]), RegionData(Region.wizard_basement), RegionData(Region.tent), RegionData(Region.carpenter, [Entrance.enter_sebastian_room]), @@ -79,14 +103,27 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: RegionData(Region.pierre_store, [Entrance.enter_sunroom]), RegionData(Region.sunroom), RegionData(Region.saloon, [Entrance.play_journey_of_the_prairie_king, Entrance.play_junimo_kart]), + RegionData(Region.jotpk_world_1, [Entrance.reach_jotpk_world_2]), + RegionData(Region.jotpk_world_2, [Entrance.reach_jotpk_world_3]), + RegionData(Region.jotpk_world_3), + RegionData(Region.junimo_kart_1, [Entrance.reach_junimo_kart_2]), + RegionData(Region.junimo_kart_2, [Entrance.reach_junimo_kart_3]), + RegionData(Region.junimo_kart_3), RegionData(Region.alex_house), RegionData(Region.trailer), RegionData(Region.mayor_house), RegionData(Region.sam_house), RegionData(Region.haley_house), - RegionData(Region.blacksmith), + RegionData(Region.blacksmith, [Entrance.blacksmith_copper]), + RegionData(Region.blacksmith_copper, [Entrance.blacksmith_iron]), + RegionData(Region.blacksmith_iron, [Entrance.blacksmith_gold]), + RegionData(Region.blacksmith_gold, [Entrance.blacksmith_iridium]), + RegionData(Region.blacksmith_iridium), RegionData(Region.museum), - RegionData(Region.jojamart), + RegionData(Region.jojamart, [Entrance.enter_abandoned_jojamart]), + RegionData(Region.abandoned_jojamart, [Entrance.enter_movie_theater]), + RegionData(Region.movie_ticket_stand), + RegionData(Region.movie_theater), RegionData(Region.fish_shop, [Entrance.fish_shop_to_boat_tunnel]), RegionData(Region.boat_tunnel, [Entrance.boat_to_ginger_island]), RegionData(Region.elliott_house), @@ -105,18 +142,16 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: RegionData(Region.oasis, [Entrance.enter_casino]), RegionData(Region.casino), RegionData(Region.skull_cavern_entrance, [Entrance.enter_skull_cavern]), - RegionData(Region.skull_cavern, [Entrance.mine_to_skull_cavern_floor_25, Entrance.mine_to_skull_cavern_floor_50, - Entrance.mine_to_skull_cavern_floor_75, Entrance.mine_to_skull_cavern_floor_100, - Entrance.mine_to_skull_cavern_floor_125, Entrance.mine_to_skull_cavern_floor_150, - Entrance.mine_to_skull_cavern_floor_175, Entrance.mine_to_skull_cavern_floor_200]), - RegionData(Region.skull_cavern_25), - RegionData(Region.skull_cavern_50), - RegionData(Region.skull_cavern_75), - RegionData(Region.skull_cavern_100), - RegionData(Region.skull_cavern_125), - RegionData(Region.skull_cavern_150), - RegionData(Region.skull_cavern_175), - RegionData(Region.skull_cavern_200), + RegionData(Region.skull_cavern, [Entrance.mine_to_skull_cavern_floor_25]), + RegionData(Region.skull_cavern_25, [Entrance.mine_to_skull_cavern_floor_50]), + RegionData(Region.skull_cavern_50, [Entrance.mine_to_skull_cavern_floor_75]), + RegionData(Region.skull_cavern_75, [Entrance.mine_to_skull_cavern_floor_100]), + RegionData(Region.skull_cavern_100, [Entrance.mine_to_skull_cavern_floor_125]), + RegionData(Region.skull_cavern_125, [Entrance.mine_to_skull_cavern_floor_150]), + RegionData(Region.skull_cavern_150, [Entrance.mine_to_skull_cavern_floor_175]), + RegionData(Region.skull_cavern_175, [Entrance.mine_to_skull_cavern_floor_200]), + RegionData(Region.skull_cavern_200, [Entrance.enter_dangerous_skull_cavern]), + RegionData(Region.dangerous_skull_cavern), RegionData(Region.island_south, [Entrance.island_south_to_west, Entrance.island_south_to_north, Entrance.island_south_to_east, Entrance.island_south_to_southeast, Entrance.use_island_resort, @@ -144,7 +179,7 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: RegionData(Region.volcano_dwarf_shop), RegionData(Region.volcano_floor_10), RegionData(Region.island_trader), - RegionData(Region.island_farmhouse), + RegionData(Region.island_farmhouse, [Entrance.island_cooking]), RegionData(Region.gourmand_frog_cave), RegionData(Region.colored_crystals_cave), RegionData(Region.shipwreck), @@ -156,50 +191,49 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: [Entrance.dig_site_to_professor_snail_cave, Entrance.parrot_express_dig_site_to_volcano, Entrance.parrot_express_dig_site_to_docks, Entrance.parrot_express_dig_site_to_jungle]), RegionData(Region.professor_snail_cave), - RegionData(Region.jotpk_world_1, [Entrance.reach_jotpk_world_2]), - RegionData(Region.jotpk_world_2, [Entrance.reach_jotpk_world_3]), - RegionData(Region.jotpk_world_3), - RegionData(Region.junimo_kart_1, [Entrance.reach_junimo_kart_2]), - RegionData(Region.junimo_kart_2, [Entrance.reach_junimo_kart_3]), - RegionData(Region.junimo_kart_3), RegionData(Region.mines, [Entrance.talk_to_mines_dwarf, - Entrance.dig_to_mines_floor_5, Entrance.dig_to_mines_floor_10, - Entrance.dig_to_mines_floor_15, Entrance.dig_to_mines_floor_20, - Entrance.dig_to_mines_floor_25, Entrance.dig_to_mines_floor_30, - Entrance.dig_to_mines_floor_35, Entrance.dig_to_mines_floor_40, - Entrance.dig_to_mines_floor_45, Entrance.dig_to_mines_floor_50, - Entrance.dig_to_mines_floor_55, Entrance.dig_to_mines_floor_60, - Entrance.dig_to_mines_floor_65, Entrance.dig_to_mines_floor_70, - Entrance.dig_to_mines_floor_75, Entrance.dig_to_mines_floor_80, - Entrance.dig_to_mines_floor_85, Entrance.dig_to_mines_floor_90, - Entrance.dig_to_mines_floor_95, Entrance.dig_to_mines_floor_100, - Entrance.dig_to_mines_floor_105, Entrance.dig_to_mines_floor_110, - Entrance.dig_to_mines_floor_115, Entrance.dig_to_mines_floor_120]), + Entrance.dig_to_mines_floor_5]), RegionData(Region.mines_dwarf_shop), - RegionData(Region.mines_floor_5), - RegionData(Region.mines_floor_10), - RegionData(Region.mines_floor_15), - RegionData(Region.mines_floor_20), - RegionData(Region.mines_floor_25), - RegionData(Region.mines_floor_30), - RegionData(Region.mines_floor_35), - RegionData(Region.mines_floor_40), - RegionData(Region.mines_floor_45), - RegionData(Region.mines_floor_50), - RegionData(Region.mines_floor_55), - RegionData(Region.mines_floor_60), - RegionData(Region.mines_floor_65), - RegionData(Region.mines_floor_70), - RegionData(Region.mines_floor_75), - RegionData(Region.mines_floor_80), - RegionData(Region.mines_floor_85), - RegionData(Region.mines_floor_90), - RegionData(Region.mines_floor_95), - RegionData(Region.mines_floor_100), - RegionData(Region.mines_floor_105), - RegionData(Region.mines_floor_110), - RegionData(Region.mines_floor_115), - RegionData(Region.mines_floor_120), + RegionData(Region.mines_floor_5, [Entrance.dig_to_mines_floor_10]), + RegionData(Region.mines_floor_10, [Entrance.dig_to_mines_floor_15]), + RegionData(Region.mines_floor_15, [Entrance.dig_to_mines_floor_20]), + RegionData(Region.mines_floor_20, [Entrance.dig_to_mines_floor_25]), + RegionData(Region.mines_floor_25, [Entrance.dig_to_mines_floor_30]), + RegionData(Region.mines_floor_30, [Entrance.dig_to_mines_floor_35]), + RegionData(Region.mines_floor_35, [Entrance.dig_to_mines_floor_40]), + RegionData(Region.mines_floor_40, [Entrance.dig_to_mines_floor_45]), + RegionData(Region.mines_floor_45, [Entrance.dig_to_mines_floor_50]), + RegionData(Region.mines_floor_50, [Entrance.dig_to_mines_floor_55]), + RegionData(Region.mines_floor_55, [Entrance.dig_to_mines_floor_60]), + RegionData(Region.mines_floor_60, [Entrance.dig_to_mines_floor_65]), + RegionData(Region.mines_floor_65, [Entrance.dig_to_mines_floor_70]), + RegionData(Region.mines_floor_70, [Entrance.dig_to_mines_floor_75]), + RegionData(Region.mines_floor_75, [Entrance.dig_to_mines_floor_80]), + RegionData(Region.mines_floor_80, [Entrance.dig_to_mines_floor_85]), + RegionData(Region.mines_floor_85, [Entrance.dig_to_mines_floor_90]), + RegionData(Region.mines_floor_90, [Entrance.dig_to_mines_floor_95]), + RegionData(Region.mines_floor_95, [Entrance.dig_to_mines_floor_100]), + RegionData(Region.mines_floor_100, [Entrance.dig_to_mines_floor_105]), + RegionData(Region.mines_floor_105, [Entrance.dig_to_mines_floor_110]), + RegionData(Region.mines_floor_110, [Entrance.dig_to_mines_floor_115]), + RegionData(Region.mines_floor_115, [Entrance.dig_to_mines_floor_120]), + RegionData(Region.mines_floor_120, [Entrance.dig_to_dangerous_mines_20, Entrance.dig_to_dangerous_mines_60, Entrance.dig_to_dangerous_mines_100]), + RegionData(Region.dangerous_mines_20), + RegionData(Region.dangerous_mines_60), + RegionData(Region.dangerous_mines_100), + RegionData(Region.coop), + RegionData(Region.barn), + RegionData(Region.shed), + RegionData(Region.slime_hutch), + RegionData(Region.egg_festival), + RegionData(Region.flower_dance), + RegionData(Region.luau), + RegionData(Region.moonlight_jellies), + RegionData(Region.fair), + RegionData(Region.spirit_eve), + RegionData(Region.festival_of_ice), + RegionData(Region.night_market), + RegionData(Region.winter_star), ] # Exists and where they lead @@ -208,13 +242,21 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: ConnectionData(Entrance.to_farmhouse, Region.farm_house), ConnectionData(Entrance.farmhouse_to_farm, Region.farm), ConnectionData(Entrance.downstairs_to_cellar, Region.cellar), + ConnectionData(Entrance.farmhouse_cooking, Region.kitchen), + ConnectionData(Entrance.watch_queen_of_sauce, Region.queen_of_sauce), ConnectionData(Entrance.farm_to_backwoods, Region.backwoods), ConnectionData(Entrance.farm_to_bus_stop, Region.bus_stop), ConnectionData(Entrance.farm_to_forest, Region.forest), ConnectionData(Entrance.farm_to_farmcave, Region.farm_cave, flag=RandomizationFlag.NON_PROGRESSION), + ConnectionData(Entrance.farming, Region.farming), ConnectionData(Entrance.enter_greenhouse, Region.greenhouse), + ConnectionData(Entrance.enter_coop, Region.coop), + ConnectionData(Entrance.enter_barn, Region.barn), + ConnectionData(Entrance.enter_shed, Region.shed), + ConnectionData(Entrance.enter_slime_hutch, Region.slime_hutch), + ConnectionData(Entrance.shipping, Region.shipping), ConnectionData(Entrance.use_desert_obelisk, Region.desert), - ConnectionData(Entrance.use_island_obelisk, Region.island_south), + ConnectionData(Entrance.use_island_obelisk, Region.island_south, flag=RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.use_farm_obelisk, Region.farm), ConnectionData(Entrance.backwoods_to_mountain, Region.mountain), ConnectionData(Entrance.bus_stop_to_town, Region.town), @@ -232,6 +274,13 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: ConnectionData(Entrance.enter_secret_woods, Region.secret_woods), ConnectionData(Entrance.forest_to_sewer, Region.sewer, flag=RandomizationFlag.BUILDINGS), ConnectionData(Entrance.buy_from_traveling_merchant, Region.traveling_cart), + ConnectionData(Entrance.buy_from_traveling_merchant_sunday, Region.traveling_cart_sunday), + ConnectionData(Entrance.buy_from_traveling_merchant_monday, Region.traveling_cart_monday), + ConnectionData(Entrance.buy_from_traveling_merchant_tuesday, Region.traveling_cart_tuesday), + ConnectionData(Entrance.buy_from_traveling_merchant_wednesday, Region.traveling_cart_wednesday), + ConnectionData(Entrance.buy_from_traveling_merchant_thursday, Region.traveling_cart_thursday), + ConnectionData(Entrance.buy_from_traveling_merchant_friday, Region.traveling_cart_friday), + ConnectionData(Entrance.buy_from_traveling_merchant_saturday, Region.traveling_cart_saturday), ConnectionData(Entrance.town_to_sewer, Region.sewer, flag=RandomizationFlag.BUILDINGS), ConnectionData(Entrance.enter_mutant_bug_lair, Region.mutant_bug_lair, flag=RandomizationFlag.BUILDINGS), ConnectionData(Entrance.mountain_to_railroad, Region.railroad), @@ -267,6 +316,10 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: ConnectionData(Entrance.enter_sunroom, Region.sunroom, flag=RandomizationFlag.BUILDINGS), ConnectionData(Entrance.town_to_clint_blacksmith, Region.blacksmith, flag=RandomizationFlag.PELICAN_TOWN | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(Entrance.blacksmith_copper, Region.blacksmith_copper), + ConnectionData(Entrance.blacksmith_iron, Region.blacksmith_iron), + ConnectionData(Entrance.blacksmith_gold, Region.blacksmith_gold), + ConnectionData(Entrance.blacksmith_iridium, Region.blacksmith_iridium), ConnectionData(Entrance.town_to_saloon, Region.saloon, flag=RandomizationFlag.PELICAN_TOWN | RandomizationFlag.LEAD_TO_OPEN_AREA), ConnectionData(Entrance.play_journey_of_the_prairie_king, Region.jotpk_world_1), @@ -289,6 +342,9 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: flag=RandomizationFlag.PELICAN_TOWN | RandomizationFlag.LEAD_TO_OPEN_AREA), ConnectionData(Entrance.town_to_jojamart, Region.jojamart, flag=RandomizationFlag.PELICAN_TOWN | RandomizationFlag.LEAD_TO_OPEN_AREA), + ConnectionData(Entrance.purchase_movie_ticket, Region.movie_ticket_stand), + ConnectionData(Entrance.enter_abandoned_jojamart, Region.abandoned_jojamart), + ConnectionData(Entrance.enter_movie_theater, Region.movie_theater), ConnectionData(Entrance.town_to_beach, Region.beach), ConnectionData(Entrance.enter_elliott_house, Region.elliott_house, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.LEAD_TO_OPEN_AREA), @@ -296,8 +352,9 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), ConnectionData(Entrance.fish_shop_to_boat_tunnel, Region.boat_tunnel, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), - ConnectionData(Entrance.boat_to_ginger_island, Region.island_south), + ConnectionData(Entrance.boat_to_ginger_island, Region.island_south, flag=RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.enter_tide_pools, Region.tide_pools), + ConnectionData(Entrance.fishing, Region.fishing), ConnectionData(Entrance.mountain_to_the_mines, Region.mines, flag=RandomizationFlag.NON_PROGRESSION | RandomizationFlag.LEAD_TO_OPEN_AREA), ConnectionData(Entrance.talk_to_mines_dwarf, Region.mines_dwarf_shop), @@ -325,6 +382,9 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: ConnectionData(Entrance.dig_to_mines_floor_110, Region.mines_floor_110), ConnectionData(Entrance.dig_to_mines_floor_115, Region.mines_floor_115), ConnectionData(Entrance.dig_to_mines_floor_120, Region.mines_floor_120), + ConnectionData(Entrance.dig_to_dangerous_mines_20, Region.dangerous_mines_20, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.dig_to_dangerous_mines_60, Region.dangerous_mines_60, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.dig_to_dangerous_mines_100, Region.dangerous_mines_100, flag=RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.enter_skull_cavern_entrance, Region.skull_cavern_entrance, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.LEAD_TO_OPEN_AREA), ConnectionData(Entrance.enter_oasis, Region.oasis, @@ -339,6 +399,7 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: ConnectionData(Entrance.mine_to_skull_cavern_floor_150, Region.skull_cavern_150), ConnectionData(Entrance.mine_to_skull_cavern_floor_175, Region.skull_cavern_175), ConnectionData(Entrance.mine_to_skull_cavern_floor_200, Region.skull_cavern_200), + ConnectionData(Entrance.enter_dangerous_skull_cavern, Region.dangerous_skull_cavern, flag=RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.enter_witch_warp_cave, Region.witch_warp_cave, flag=RandomizationFlag.BUILDINGS), ConnectionData(Entrance.enter_witch_swamp, Region.witch_swamp, flag=RandomizationFlag.BUILDINGS), ConnectionData(Entrance.enter_witch_hut, Region.witch_hut, flag=RandomizationFlag.BUILDINGS), @@ -352,17 +413,17 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: ConnectionData(Entrance.island_south_to_east, Region.island_east, flag=RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.island_south_to_southeast, Region.island_south_east, flag=RandomizationFlag.GINGER_ISLAND), - ConnectionData(Entrance.use_island_resort, Region.island_resort), + ConnectionData(Entrance.use_island_resort, Region.island_resort, flag=RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.island_west_to_islandfarmhouse, Region.island_farmhouse, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.island_cooking, Region.kitchen), ConnectionData(Entrance.island_west_to_gourmand_cave, Region.gourmand_frog_cave, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.island_west_to_crystals_cave, Region.colored_crystals_cave, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.island_west_to_shipwreck, Region.shipwreck, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), - ConnectionData(Entrance.island_west_to_qi_walnut_room, Region.qi_walnut_room, - flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.island_west_to_qi_walnut_room, Region.qi_walnut_room, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.island_east_to_leo_hut, Region.leo_hut, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.island_east_to_island_shrine, Region.island_shrine, @@ -378,21 +439,30 @@ def __call__(self, name: str, regions: Iterable[str]) -> Region: ConnectionData(Entrance.volcano_to_secret_beach, Region.volcano_secret_beach, flag=RandomizationFlag.BUILDINGS | RandomizationFlag.GINGER_ISLAND), ConnectionData(Entrance.talk_to_island_trader, Region.island_trader, flag=RandomizationFlag.GINGER_ISLAND), - ConnectionData(Entrance.climb_to_volcano_5, Region.volcano_floor_5), - ConnectionData(Entrance.talk_to_volcano_dwarf, Region.volcano_dwarf_shop), - ConnectionData(Entrance.climb_to_volcano_10, Region.volcano_floor_10), - ConnectionData(Entrance.parrot_express_jungle_to_docks, Region.island_south), - ConnectionData(Entrance.parrot_express_dig_site_to_docks, Region.island_south), - ConnectionData(Entrance.parrot_express_volcano_to_docks, Region.island_south), - ConnectionData(Entrance.parrot_express_volcano_to_jungle, Region.island_west), - ConnectionData(Entrance.parrot_express_docks_to_jungle, Region.island_west), - ConnectionData(Entrance.parrot_express_dig_site_to_jungle, Region.island_west), - ConnectionData(Entrance.parrot_express_docks_to_dig_site, Region.dig_site), - ConnectionData(Entrance.parrot_express_volcano_to_dig_site, Region.dig_site), - ConnectionData(Entrance.parrot_express_jungle_to_dig_site, Region.dig_site), - ConnectionData(Entrance.parrot_express_dig_site_to_volcano, Region.island_north), - ConnectionData(Entrance.parrot_express_docks_to_volcano, Region.island_north), - ConnectionData(Entrance.parrot_express_jungle_to_volcano, Region.island_north), + ConnectionData(Entrance.climb_to_volcano_5, Region.volcano_floor_5, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.talk_to_volcano_dwarf, Region.volcano_dwarf_shop, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.climb_to_volcano_10, Region.volcano_floor_10, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_jungle_to_docks, Region.island_south, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_dig_site_to_docks, Region.island_south, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_volcano_to_docks, Region.island_south, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_volcano_to_jungle, Region.island_west, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_docks_to_jungle, Region.island_west, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_dig_site_to_jungle, Region.island_west, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_docks_to_dig_site, Region.dig_site, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_volcano_to_dig_site, Region.dig_site, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_jungle_to_dig_site, Region.dig_site, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_dig_site_to_volcano, Region.island_north, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_docks_to_volcano, Region.island_north, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.parrot_express_jungle_to_volcano, Region.island_north, flag=RandomizationFlag.GINGER_ISLAND), + ConnectionData(Entrance.attend_egg_festival, Region.egg_festival), + ConnectionData(Entrance.attend_flower_dance, Region.flower_dance), + ConnectionData(Entrance.attend_luau, Region.luau), + ConnectionData(Entrance.attend_moonlight_jellies, Region.moonlight_jellies), + ConnectionData(Entrance.attend_fair, Region.fair), + ConnectionData(Entrance.attend_spirit_eve, Region.spirit_eve), + ConnectionData(Entrance.attend_festival_of_ice, Region.festival_of_ice), + ConnectionData(Entrance.attend_night_market, Region.night_market), + ConnectionData(Entrance.attend_winter_star, Region.winter_star), ] @@ -409,78 +479,105 @@ def create_final_regions(world_options) -> List[RegionData]: (region for region in final_regions if region.name == mod_region.name), None) if existing_region: final_regions.remove(existing_region) + if ModificationFlag.MODIFIED in mod_region.flag: + mod_region = modify_vanilla_regions(existing_region, mod_region) final_regions.append(existing_region.get_merged_with(mod_region.exits)) continue - final_regions.append(mod_region.get_clone()) + return final_regions -def create_final_connections(world_options) -> List[ConnectionData]: - final_connections = [] - final_connections.extend(vanilla_connections) - if world_options.mods is None: - return final_connections - for mod in world_options.mods.value: +def create_final_connections_and_regions(world_options) -> Tuple[Dict[str, ConnectionData], Dict[str, RegionData]]: + regions_data: Dict[str, RegionData] = {region.name: region for region in create_final_regions(world_options)} + connections = {connection.name: connection for connection in vanilla_connections} + connections = modify_connections_for_mods(connections, world_options.mods) + include_island = world_options.exclude_ginger_island == ExcludeGingerIsland.option_false + return remove_ginger_island_regions_and_connections(regions_data, connections, include_island) + + +def remove_ginger_island_regions_and_connections(regions_by_name: Dict[str, RegionData], connections: Dict[str, ConnectionData], include_island: bool): + if include_island: + return connections, regions_by_name + for connection_name in list(connections): + connection = connections[connection_name] + if connection.flag & RandomizationFlag.GINGER_ISLAND: + regions_by_name.pop(connection.destination, None) + connections.pop(connection_name) + regions_by_name = {name: regions_by_name[name].get_without_exit(connection_name) for name in regions_by_name} + return connections, regions_by_name + + +def modify_connections_for_mods(connections: Dict[str, ConnectionData], mods) -> Dict[str, ConnectionData]: + if mods is None: + return connections + for mod in mods.value: if mod not in ModDataList: continue - final_connections.extend(ModDataList[mod].connections) - return final_connections + if mod in vanilla_connections_to_remove_by_mod: + for connection_data in vanilla_connections_to_remove_by_mod[mod]: + connections.pop(connection_data.name) + connections.update({connection.name: connection for connection in ModDataList[mod].connections}) + return connections -def create_regions(region_factory: RegionFactory, random: Random, world_options) -> Tuple[ - Dict[str, Region], Dict[str, str]]: - final_regions = create_final_regions(world_options) - regions: Dict[str: Region] = {region.name: region_factory(region.name, region.exits) for region in - final_regions} - entrances: Dict[str: Entrance] = {entrance.name: entrance - for region in regions.values() - for entrance in region.exits} +def modify_vanilla_regions(existing_region: RegionData, modified_region: RegionData) -> RegionData: - regions_by_name: Dict[str, RegionData] = {region.name: region for region in final_regions} - connections, randomized_data = randomize_connections(random, world_options, regions_by_name) + updated_region = existing_region + region_exits = updated_region.exits + modified_exits = modified_region.exits + for exits in modified_exits: + region_exits.remove(exits) - for connection in connections: - if connection.name in entrances: - entrances[connection.name].connect(regions[connection.destination]) + return updated_region + + +def create_regions(region_factory: RegionFactory, random: Random, world_options: StardewValleyOptions) -> Tuple[ + Dict[str, Region], Dict[str, Entrance], Dict[str, str]]: + entrances_data, regions_data = create_final_connections_and_regions(world_options) + regions_by_name: Dict[str: Region] = {region_name: region_factory(region_name, regions_data[region_name].exits) for region_name in regions_data} + entrances_by_name: Dict[str: Entrance] = {entrance.name: entrance for region in regions_by_name.values() for entrance in region.exits + if entrance.name in entrances_data} - return regions, randomized_data + connections, randomized_data = randomize_connections(random, world_options, regions_data, entrances_data) + + for connection in connections: + if connection.name in entrances_by_name: + entrances_by_name[connection.name].connect(regions_by_name[connection.destination]) + return regions_by_name, entrances_by_name, randomized_data -def randomize_connections(random: Random, world_options, regions_by_name) -> Tuple[ - List[ConnectionData], Dict[str, str]]: - connections_to_randomize = [] - final_connections = create_final_connections(world_options) - connections_by_name: Dict[str, ConnectionData] = {connection.name: connection for connection in final_connections} +def randomize_connections(random: Random, world_options: StardewValleyOptions, regions_by_name: Dict[str, RegionData], + connections_by_name: Dict[str, ConnectionData]) -> Tuple[List[ConnectionData], Dict[str, str]]: + connections_to_randomize: List[ConnectionData] = [] if world_options.entrance_randomization == EntranceRandomization.option_pelican_town: - connections_to_randomize = [connection for connection in final_connections if - RandomizationFlag.PELICAN_TOWN in connection.flag] + connections_to_randomize = [connections_by_name[connection] for connection in connections_by_name if + RandomizationFlag.PELICAN_TOWN in connections_by_name[connection].flag] elif world_options.entrance_randomization == EntranceRandomization.option_non_progression: - connections_to_randomize = [connection for connection in final_connections if - RandomizationFlag.NON_PROGRESSION in connection.flag] + connections_to_randomize = [connections_by_name[connection] for connection in connections_by_name if + RandomizationFlag.NON_PROGRESSION in connections_by_name[connection].flag] elif world_options.entrance_randomization == EntranceRandomization.option_buildings: - connections_to_randomize = [connection for connection in final_connections if - RandomizationFlag.BUILDINGS in connection.flag] + connections_to_randomize = [connections_by_name[connection] for connection in connections_by_name if + RandomizationFlag.BUILDINGS in connections_by_name[connection].flag] elif world_options.entrance_randomization == EntranceRandomization.option_chaos: - connections_to_randomize = [connection for connection in final_connections if - RandomizationFlag.BUILDINGS in connection.flag] - connections_to_randomize = exclude_island_if_necessary(connections_to_randomize, world_options) + connections_to_randomize = [connections_by_name[connection] for connection in connections_by_name if + RandomizationFlag.BUILDINGS in connections_by_name[connection].flag] + connections_to_randomize = remove_excluded_entrances(connections_to_randomize, world_options) # On Chaos, we just add the connections to randomize, unshuffled, and the client does it every day randomized_data_for_mod = {} for connection in connections_to_randomize: randomized_data_for_mod[connection.name] = connection.name randomized_data_for_mod[connection.reverse] = connection.reverse - return final_connections, randomized_data_for_mod + return list(connections_by_name.values()), randomized_data_for_mod connections_to_randomize = remove_excluded_entrances(connections_to_randomize, world_options) - random.shuffle(connections_to_randomize) destination_pool = list(connections_to_randomize) random.shuffle(destination_pool) randomized_connections = randomize_chosen_connections(connections_to_randomize, destination_pool) - add_non_randomized_connections(final_connections, connections_to_randomize, randomized_connections) + add_non_randomized_connections(list(connections_by_name.values()), connections_to_randomize, randomized_connections) swap_connections_until_valid(regions_by_name, connections_by_name, randomized_connections, connections_to_randomize, random) randomized_connections_for_generation = create_connections_for_generation(randomized_connections) @@ -489,25 +586,14 @@ def randomize_connections(random: Random, world_options, regions_by_name) -> Tup return randomized_connections_for_generation, randomized_data_for_mod -def remove_excluded_entrances(connections_to_randomize, world_options): +def remove_excluded_entrances(connections_to_randomize: List[ConnectionData], world_options: StardewValleyOptions) -> List[ConnectionData]: exclude_island = world_options.exclude_ginger_island == ExcludeGingerIsland.option_true - exclude_sewers = world_options.museumsanity == Museumsanity.option_none if exclude_island: connections_to_randomize = [connection for connection in connections_to_randomize if RandomizationFlag.GINGER_ISLAND not in connection.flag] - if exclude_sewers: - connections_to_randomize = [connection for connection in connections_to_randomize if Region.sewer not in connection.name or Region.sewer not in connection.reverse] return connections_to_randomize -def exclude_island_if_necessary(connections_to_randomize: List[ConnectionData], world_options) -> List[ConnectionData]: - exclude_island = world_options.exclude_ginger_island == ExcludeGingerIsland.option_true - if exclude_island: - connections_to_randomize = [connection for connection in connections_to_randomize if - RandomizationFlag.GINGER_ISLAND not in connection.flag] - return connections_to_randomize - - def randomize_chosen_connections(connections_to_randomize: List[ConnectionData], destination_pool: List[ConnectionData]) -> Dict[ConnectionData, ConnectionData]: randomized_connections = {} @@ -517,8 +603,7 @@ def randomize_chosen_connections(connections_to_randomize: List[ConnectionData], return randomized_connections -def create_connections_for_generation(randomized_connections: Dict[ConnectionData, ConnectionData]) -> List[ - ConnectionData]: +def create_connections_for_generation(randomized_connections: Dict[ConnectionData, ConnectionData]) -> List[ConnectionData]: connections = [] for connection in randomized_connections: destination = randomized_connections[connection] @@ -536,37 +621,50 @@ def create_data_for_mod(randomized_connections: Dict[ConnectionData, ConnectionD add_to_mod_data(connection, destination, randomized_data_for_mod) return randomized_data_for_mod + def add_to_mod_data(connection: ConnectionData, destination: ConnectionData, randomized_data_for_mod: Dict[str, str]): randomized_data_for_mod[connection.name] = destination.name randomized_data_for_mod[destination.reverse] = connection.reverse -def add_non_randomized_connections(connections, connections_to_randomize: List[ConnectionData], +def add_non_randomized_connections(all_connections: List[ConnectionData], connections_to_randomize: List[ConnectionData], randomized_connections: Dict[ConnectionData, ConnectionData]): - for connection in connections: + for connection in all_connections: if connection in connections_to_randomize: continue randomized_connections[connection] = connection -def swap_connections_until_valid(regions_by_name, connections_by_name, randomized_connections: Dict[ConnectionData, ConnectionData], +def swap_connections_until_valid(regions_by_name, connections_by_name: Dict[str, ConnectionData], randomized_connections: Dict[ConnectionData, ConnectionData], connections_to_randomize: List[ConnectionData], random: Random): while True: reachable_regions, unreachable_regions = find_reachable_regions(regions_by_name, connections_by_name, randomized_connections) if not unreachable_regions: return randomized_connections - swap_one_connection(regions_by_name, connections_by_name, randomized_connections, reachable_regions, - unreachable_regions, connections_to_randomize, random) + swap_one_random_connection(regions_by_name, connections_by_name, randomized_connections, reachable_regions, + unreachable_regions, connections_to_randomize, random) + + +def region_should_be_reachable(region_name: str, connections_in_slot: Iterable[ConnectionData]) -> bool: + if region_name == Region.menu: + return True + for connection in connections_in_slot: + if region_name == connection.destination: + return True + return False def find_reachable_regions(regions_by_name, connections_by_name, randomized_connections: Dict[ConnectionData, ConnectionData]): reachable_regions = {Region.menu} unreachable_regions = {region for region in regions_by_name.keys()} + # unreachable_regions = {region for region in regions_by_name.keys() if region_should_be_reachable(region, connections_by_name.values())} unreachable_regions.remove(Region.menu) exits_to_explore = list(regions_by_name[Region.menu].exits) while exits_to_explore: exit_name = exits_to_explore.pop() + # if exit_name not in connections_by_name: + # continue exit_connection = connections_by_name[exit_name] replaced_connection = randomized_connections[exit_connection] target_region_name = replaced_connection.destination @@ -580,9 +678,9 @@ def find_reachable_regions(regions_by_name, connections_by_name, return reachable_regions, unreachable_regions -def swap_one_connection(regions_by_name, connections_by_name,randomized_connections: Dict[ConnectionData, ConnectionData], - reachable_regions: Set[str], unreachable_regions: Set[str], - connections_to_randomize: List[ConnectionData], random: Random): +def swap_one_random_connection(regions_by_name, connections_by_name, randomized_connections: Dict[ConnectionData, ConnectionData], + reachable_regions: Set[str], unreachable_regions: Set[str], + connections_to_randomize: List[ConnectionData], random: Random): randomized_connections_already_shuffled = {connection: randomized_connections[connection] for connection in randomized_connections if connection != randomized_connections[connection]} @@ -604,7 +702,11 @@ def swap_one_connection(regions_by_name, connections_by_name,randomized_connecti chosen_reachable_entrance_name = random.choice(chosen_reachable_region.exits) chosen_reachable_entrance = connections_by_name[chosen_reachable_entrance_name] - reachable_destination = randomized_connections[chosen_reachable_entrance] - unreachable_destination = randomized_connections[chosen_unreachable_entrance] - randomized_connections[chosen_reachable_entrance] = unreachable_destination - randomized_connections[chosen_unreachable_entrance] = reachable_destination + swap_two_connections(chosen_reachable_entrance, chosen_unreachable_entrance, randomized_connections) + + +def swap_two_connections(entrance_1, entrance_2, randomized_connections): + reachable_destination = randomized_connections[entrance_1] + unreachable_destination = randomized_connections[entrance_2] + randomized_connections[entrance_1] = unreachable_destination + randomized_connections[entrance_2] = reachable_destination diff --git a/worlds/stardew_valley/requirements.txt b/worlds/stardew_valley/requirements.txt index a7141f6aa805..b0922176e43b 100644 --- a/worlds/stardew_valley/requirements.txt +++ b/worlds/stardew_valley/requirements.txt @@ -1 +1 @@ -importlib_resources; python_version <= '3.8' \ No newline at end of file +importlib_resources; python_version <= '3.8' diff --git a/worlds/stardew_valley/rules.py b/worlds/stardew_valley/rules.py index 88aa13f31471..b9ca581d04df 100644 --- a/worlds/stardew_valley/rules.py +++ b/worlds/stardew_valley/rules.py @@ -1,30 +1,46 @@ import itertools -from typing import List +from typing import List, Dict from BaseClasses import MultiWorld from worlds.generic import Rules as MultiWorldRules -from .options import StardewValleyOptions, ToolProgression, BuildingProgression, SkillProgression, ExcludeGingerIsland, Cropsanity, SpecialOrderLocations, Museumsanity, \ - BackpackProgression, ArcadeMachineLocations -from .strings.entrance_names import dig_to_mines_floor, dig_to_skull_floor, Entrance, move_to_woods_depth, \ - DeepWoodsEntrance, AlecEntrance, MagicEntrance -from .data.museum_data import all_museum_items, all_museum_minerals, all_museum_artifacts, \ - dwarf_scrolls, skeleton_front, \ - skeleton_middle, skeleton_back, all_museum_items_by_name, Artifact -from .strings.region_names import Region +from . import locations +from .bundles.bundle_room import BundleRoom +from .data.craftable_data import all_crafting_recipes_by_name +from .data.museum_data import all_museum_items, dwarf_scrolls, skeleton_front, skeleton_middle, skeleton_back, all_museum_items_by_name, all_museum_minerals, \ + all_museum_artifacts, Artifact +from .data.recipe_data import all_cooking_recipes_by_name +from .locations import LocationTags +from .logic.logic import StardewLogic +from .logic.tool_logic import tool_upgrade_prices +from .logic.time_logic import MAX_MONTHS from .mods.mod_data import ModNames -from .mods.logic import magic, deepwoods -from .locations import LocationTags, locations_by_tag -from .logic import StardewLogic, And, tool_upgrade_prices +from .options import StardewValleyOptions, Friendsanity +from .options import ToolProgression, BuildingProgression, ExcludeGingerIsland, SpecialOrderLocations, Museumsanity, BackpackProgression, Shipsanity, \ + Monstersanity, Chefsanity, Craftsanity, ArcadeMachineLocations, Cooksanity, Cropsanity, SkillProgression +from .stardew_rule import And +from .strings.ap_names.event_names import Event +from .strings.ap_names.mods.mod_items import SVEQuestItem, SVERunes from .strings.ap_names.transport_names import Transportation from .strings.artisan_good_names import ArtisanGood +from .strings.building_names import Building +from .strings.bundle_names import CCRoom from .strings.calendar_names import Weekday -from .strings.craftable_names import Craftable +from .strings.craftable_names import Bomb +from .strings.crop_names import Fruit +from .strings.entrance_names import dig_to_mines_floor, dig_to_skull_floor, Entrance, move_to_woods_depth, DeepWoodsEntrance, AlecEntrance, \ + SVEEntrance, LaceyEntrance, BoardingHouseEntrance +from .strings.generic_names import Generic from .strings.material_names import Material from .strings.metal_names import MetalBar +from .strings.quest_names import Quest +from .strings.region_names import Region +from .strings.season_names import Season from .strings.skill_names import ModSkill, Skill from .strings.tool_names import Tool, ToolMaterial +from .strings.tv_channel_names import Channel from .strings.villager_names import NPC, ModNPC from .strings.wallet_item_names import Wallet +from ..generic.Rules import CollectionRule def set_rules(world): @@ -32,269 +48,333 @@ def set_rules(world): world_options = world.options player = world.player logic = world.logic - current_bundles = world.modified_bundles - + bundle_rooms: List[BundleRoom] = world.modified_bundles + all_location_names = list(location.name for location in multiworld.get_locations(player)) set_entrance_rules(logic, multiworld, player, world_options) - set_ginger_island_rules(logic, multiworld, player, world_options) - # Those checks do not exist if ToolProgression is vanilla - if world_options.tool_progression != ToolProgression.option_vanilla: - MultiWorldRules.add_rule(multiworld.get_location("Purchase Fiberglass Rod", player), - (logic.has_skill_level(Skill.fishing, 2) & logic.can_spend_money(1800)).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Purchase Iridium Rod", player), - (logic.has_skill_level(Skill.fishing, 6) & logic.can_spend_money(7500)).simplify()) - - materials = [None, "Copper", "Iron", "Gold", "Iridium"] - tool = [Tool.hoe, Tool.pickaxe, Tool.axe, Tool.watering_can, Tool.watering_can, Tool.trash_can] - for (previous, material), tool in itertools.product(zip(materials[:4], materials[1:]), tool): - if previous is None: - MultiWorldRules.add_rule(multiworld.get_location(f"{material} {tool} Upgrade", player), - (logic.has(f"{material} Ore") & - logic.can_spend_money(tool_upgrade_prices[material])).simplify()) - else: - MultiWorldRules.add_rule(multiworld.get_location(f"{material} {tool} Upgrade", player), - (logic.has(f"{material} Ore") & logic.has_tool(tool, previous) & - logic.can_spend_money(tool_upgrade_prices[material])).simplify()) - + set_tool_rules(logic, multiworld, player, world_options) set_skills_rules(logic, multiworld, player, world_options) - - # Bundles - for bundle in current_bundles.values(): - location = multiworld.get_location(bundle.get_name_with_bundle(), player) - rules = logic.can_complete_bundle(bundle.requirements, bundle.number_required) - simplified_rules = rules.simplify() - MultiWorldRules.set_rule(location, simplified_rules) - MultiWorldRules.add_rule(multiworld.get_location("Complete Crafts Room", player), - And(logic.can_reach_location(bundle.name) - for bundle in locations_by_tag[LocationTags.CRAFTS_ROOM_BUNDLE]).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Complete Pantry", player), - And(logic.can_reach_location(bundle.name) - for bundle in locations_by_tag[LocationTags.PANTRY_BUNDLE]).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Complete Fish Tank", player), - And(logic.can_reach_location(bundle.name) - for bundle in locations_by_tag[LocationTags.FISH_TANK_BUNDLE]).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Complete Boiler Room", player), - And(logic.can_reach_location(bundle.name) - for bundle in locations_by_tag[LocationTags.BOILER_ROOM_BUNDLE]).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Complete Bulletin Board", player), - And(logic.can_reach_location(bundle.name) - for bundle - in locations_by_tag[LocationTags.BULLETIN_BOARD_BUNDLE]).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Complete Vault", player), - And(logic.can_reach_location(bundle.name) - for bundle in locations_by_tag[LocationTags.VAULT_BUNDLE]).simplify()) - - # Buildings - if world_options.building_progression != BuildingProgression.option_vanilla: - for building in locations_by_tag[LocationTags.BUILDING_BLUEPRINT]: - if building.mod_name is not None and building.mod_name not in world_options.mods: - continue - MultiWorldRules.set_rule(multiworld.get_location(building.name, player), - logic.building_rules[building.name.replace(" Blueprint", "")].simplify()) - + set_bundle_rules(bundle_rooms, logic, multiworld, player) + set_building_rules(logic, multiworld, player, world_options) set_cropsanity_rules(all_location_names, logic, multiworld, player, world_options) set_story_quests_rules(all_location_names, logic, multiworld, player, world_options) set_special_order_rules(all_location_names, logic, multiworld, player, world_options) set_help_wanted_quests_rules(logic, multiworld, player, world_options) set_fishsanity_rules(all_location_names, logic, multiworld, player) set_museumsanity_rules(all_location_names, logic, multiworld, player, world_options) - set_friendsanity_rules(all_location_names, logic, multiworld, player) + + set_friendsanity_rules(all_location_names, logic, multiworld, player, world_options) set_backpack_rules(logic, multiworld, player, world_options) set_festival_rules(all_location_names, logic, multiworld, player) + set_monstersanity_rules(all_location_names, logic, multiworld, player, world_options) + set_shipsanity_rules(all_location_names, logic, multiworld, player, world_options) + set_cooksanity_rules(all_location_names, logic, multiworld, player, world_options) + set_chefsanity_rules(all_location_names, logic, multiworld, player, world_options) + set_craftsanity_rules(all_location_names, logic, multiworld, player, world_options) + set_isolated_locations_rules(logic, multiworld, player) + set_traveling_merchant_day_rules(logic, multiworld, player) + set_arcade_machine_rules(logic, multiworld, player, world_options) + + set_deepwoods_rules(logic, multiworld, player, world_options) + set_magic_spell_rules(logic, multiworld, player, world_options) + set_sve_rules(logic, multiworld, player, world_options) + +def set_isolated_locations_rules(logic: StardewLogic, multiworld, player): MultiWorldRules.add_rule(multiworld.get_location("Old Master Cannoli", player), - logic.has("Sweet Gem Berry").simplify()) + logic.has(Fruit.sweet_gem_berry)) MultiWorldRules.add_rule(multiworld.get_location("Galaxy Sword Shrine", player), - logic.has("Prismatic Shard").simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Have a Baby", player), - logic.can_reproduce(1).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Have Another Baby", player), - logic.can_reproduce(2).simplify()) + logic.has("Prismatic Shard")) + MultiWorldRules.add_rule(multiworld.get_location("Krobus Stardrop", player), + logic.money.can_spend(20000)) + MultiWorldRules.add_rule(multiworld.get_location("Demetrius's Breakthrough", player), + logic.money.can_have_earned_total(25000)) - set_traveling_merchant_rules(logic, multiworld, player) - set_arcade_machine_rules(logic, multiworld, player, world_options) - set_deepwoods_rules(logic, multiworld, player, world_options) - set_magic_spell_rules(logic, multiworld, player, world_options) +def set_tool_rules(logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + if not world_options.tool_progression & ToolProgression.option_progressive: + return + + MultiWorldRules.add_rule(multiworld.get_location("Purchase Fiberglass Rod", player), + (logic.skill.has_level(Skill.fishing, 2) & logic.money.can_spend(1800))) + MultiWorldRules.add_rule(multiworld.get_location("Purchase Iridium Rod", player), + (logic.skill.has_level(Skill.fishing, 6) & logic.money.can_spend(7500))) -def set_skills_rules(logic, multiworld, player, world_options): - # Skills - if world_options.skill_progression != SkillProgression.option_vanilla: - for i in range(1, 11): - set_skill_rule(logic, multiworld, player, Skill.farming, i) - set_skill_rule(logic, multiworld, player, Skill.fishing, i) - set_skill_rule(logic, multiworld, player, Skill.foraging, i) - set_skill_rule(logic, multiworld, player, Skill.mining, i) - set_skill_rule(logic, multiworld, player, Skill.combat, i) - - # Modded Skills - if ModNames.luck_skill in world_options.mods: - set_skill_rule(logic, multiworld, player, ModSkill.luck, i) - if ModNames.magic in world_options.mods: - set_skill_rule(logic, multiworld, player, ModSkill.magic, i) - if ModNames.binning_skill in world_options.mods: - set_skill_rule(logic, multiworld, player, ModSkill.binning, i) - if ModNames.cooking_skill in world_options.mods: - set_skill_rule(logic, multiworld, player, ModSkill.cooking, i) - if ModNames.socializing_skill in world_options.mods: - set_skill_rule(logic, multiworld, player, ModSkill.socializing, i) - if ModNames.archaeology in world_options.mods: - set_skill_rule(logic, multiworld, player, ModSkill.archaeology, i) - - -def set_skill_rule(logic, multiworld, player, skill: str, level: int): + materials = [None, "Copper", "Iron", "Gold", "Iridium"] + tool = [Tool.hoe, Tool.pickaxe, Tool.axe, Tool.watering_can, Tool.watering_can, Tool.trash_can] + for (previous, material), tool in itertools.product(zip(materials[:4], materials[1:]), tool): + if previous is None: + continue + tool_upgrade_location = multiworld.get_location(f"{material} {tool} Upgrade", player) + MultiWorldRules.set_rule(tool_upgrade_location, logic.tool.has_tool(tool, previous)) + + +def set_building_rules(logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + if not world_options.building_progression & BuildingProgression.option_progressive: + return + + for building in locations.locations_by_tag[LocationTags.BUILDING_BLUEPRINT]: + if building.mod_name is not None and building.mod_name not in world_options.mods: + continue + MultiWorldRules.set_rule(multiworld.get_location(building.name, player), + logic.registry.building_rules[building.name.replace(" Blueprint", "")]) + + +def set_bundle_rules(bundle_rooms: List[BundleRoom], logic: StardewLogic, multiworld, player): + for bundle_room in bundle_rooms: + room_rules = [] + for bundle in bundle_room.bundles: + location = multiworld.get_location(bundle.name, player) + bundle_rules = logic.bundle.can_complete_bundle(bundle) + room_rules.append(bundle_rules) + MultiWorldRules.set_rule(location, bundle_rules) + if bundle_room.name == CCRoom.abandoned_joja_mart: + continue + room_location = f"Complete {bundle_room.name}" + MultiWorldRules.add_rule(multiworld.get_location(room_location, player), And(*room_rules)) + + +def set_skills_rules(logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + mods = world_options.mods + if world_options.skill_progression == SkillProgression.option_vanilla: + return + for i in range(1, 11): + set_vanilla_skill_rule_for_level(logic, multiworld, player, i) + set_modded_skill_rule_for_level(logic, multiworld, player, mods, i) + + +def set_vanilla_skill_rule_for_level(logic: StardewLogic, multiworld, player, level: int): + set_vanilla_skill_rule(logic, multiworld, player, Skill.farming, level) + set_vanilla_skill_rule(logic, multiworld, player, Skill.fishing, level) + set_vanilla_skill_rule(logic, multiworld, player, Skill.foraging, level) + set_vanilla_skill_rule(logic, multiworld, player, Skill.mining, level) + set_vanilla_skill_rule(logic, multiworld, player, Skill.combat, level) + + +def set_modded_skill_rule_for_level(logic: StardewLogic, multiworld, player, mods, level: int): + if ModNames.luck_skill in mods: + set_modded_skill_rule(logic, multiworld, player, ModSkill.luck, level) + if ModNames.magic in mods: + set_modded_skill_rule(logic, multiworld, player, ModSkill.magic, level) + if ModNames.binning_skill in mods: + set_modded_skill_rule(logic, multiworld, player, ModSkill.binning, level) + if ModNames.cooking_skill in mods: + set_modded_skill_rule(logic, multiworld, player, ModSkill.cooking, level) + if ModNames.socializing_skill in mods: + set_modded_skill_rule(logic, multiworld, player, ModSkill.socializing, level) + if ModNames.archaeology in mods: + set_modded_skill_rule(logic, multiworld, player, ModSkill.archaeology, level) + + +def get_skill_level_location(multiworld, player, skill: str, level: int): location_name = f"Level {level} {skill}" - location = multiworld.get_location(location_name, player) - rule = logic.can_earn_skill_level(skill, level).simplify() - MultiWorldRules.set_rule(location, rule) + return multiworld.get_location(location_name, player) + + +def set_vanilla_skill_rule(logic: StardewLogic, multiworld, player, skill: str, level: int): + rule = logic.skill.can_earn_level(skill, level) + MultiWorldRules.set_rule(get_skill_level_location(multiworld, player, skill, level), rule) + + +def set_modded_skill_rule(logic: StardewLogic, multiworld, player, skill: str, level: int): + rule = logic.mod.skill.can_earn_mod_skill_level(skill, level) + MultiWorldRules.set_rule(get_skill_level_location(multiworld, player, skill, level), rule) + + +def set_entrance_rules(logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + set_mines_floor_entrance_rules(logic, multiworld, player) + set_skull_cavern_floor_entrance_rules(logic, multiworld, player) + set_blacksmith_entrance_rules(logic, multiworld, player) + set_skill_entrance_rules(logic, multiworld, player) + set_traveling_merchant_day_rules(logic, multiworld, player) + set_dangerous_mine_rules(logic, multiworld, player, world_options) + + set_entrance_rule(multiworld, player, Entrance.enter_tide_pools, logic.received("Beach Bridge") | (logic.mod.magic.can_blink())) + set_entrance_rule(multiworld, player, Entrance.enter_quarry, logic.received("Bridge Repair") | (logic.mod.magic.can_blink())) + set_entrance_rule(multiworld, player, Entrance.enter_secret_woods, logic.tool.has_tool(Tool.axe, "Iron") | (logic.mod.magic.can_blink())) + set_entrance_rule(multiworld, player, Entrance.forest_to_sewer, logic.wallet.has_rusty_key()) + set_entrance_rule(multiworld, player, Entrance.town_to_sewer, logic.wallet.has_rusty_key()) + set_entrance_rule(multiworld, player, Entrance.enter_abandoned_jojamart, logic.has_abandoned_jojamart()) + movie_theater_rule = logic.has_movie_theater() + set_entrance_rule(multiworld, player, Entrance.enter_movie_theater, movie_theater_rule) + set_entrance_rule(multiworld, player, Entrance.purchase_movie_ticket, movie_theater_rule) + set_entrance_rule(multiworld, player, Entrance.take_bus_to_desert, logic.received("Bus Repair")) + set_entrance_rule(multiworld, player, Entrance.enter_skull_cavern, logic.received(Wallet.skull_key)) + set_entrance_rule(multiworld, player, Entrance.talk_to_mines_dwarf, logic.wallet.can_speak_dwarf() & logic.tool.has_tool(Tool.pickaxe, ToolMaterial.iron)) + set_entrance_rule(multiworld, player, Entrance.buy_from_traveling_merchant, logic.traveling_merchant.has_days()) + + set_farm_buildings_entrance_rules(logic, multiworld, player, world_options) + + set_entrance_rule(multiworld, player, Entrance.mountain_to_railroad, logic.received("Railroad Boulder Removed")) + set_entrance_rule(multiworld, player, Entrance.enter_witch_warp_cave, logic.quest.has_dark_talisman() | (logic.mod.magic.can_blink())) + set_entrance_rule(multiworld, player, Entrance.enter_witch_hut, (logic.has(ArtisanGood.void_mayonnaise) | logic.mod.magic.can_blink())) + set_entrance_rule(multiworld, player, Entrance.enter_mutant_bug_lair, (logic.received(Event.start_dark_talisman_quest) & logic.relationship.can_meet(NPC.krobus)) | logic.mod.magic.can_blink()) + set_entrance_rule(multiworld, player, Entrance.enter_casino, logic.quest.has_club_card()) + + set_bedroom_entrance_rules(logic, multiworld, player, world_options) + set_festival_entrance_rules(logic, multiworld, player) + set_island_entrance_rule(multiworld, player, Entrance.island_cooking, logic.cooking.can_cook_in_kitchen, world_options) + set_entrance_rule(multiworld, player, Entrance.farmhouse_cooking, logic.cooking.can_cook_in_kitchen) + set_entrance_rule(multiworld, player, Entrance.shipping, logic.shipping.can_use_shipping_bin) + set_entrance_rule(multiworld, player, Entrance.watch_queen_of_sauce, logic.action.can_watch(Channel.queen_of_sauce)) + + +def set_dangerous_mine_rules(logic, multiworld, player, world_options: StardewValleyOptions): + if world_options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return + dangerous_mine_rule = logic.mine.has_mine_elevator_to_floor(120) & logic.region.can_reach(Region.qi_walnut_room) + set_entrance_rule(multiworld, player, Entrance.dig_to_dangerous_mines_20, dangerous_mine_rule) + set_entrance_rule(multiworld, player, Entrance.dig_to_dangerous_mines_60, dangerous_mine_rule) + set_entrance_rule(multiworld, player, Entrance.dig_to_dangerous_mines_100, dangerous_mine_rule) + set_entrance_rule(multiworld, player, Entrance.enter_dangerous_skull_cavern, (logic.received(Wallet.skull_key) & logic.region.can_reach(Region.qi_walnut_room))) + + +def set_farm_buildings_entrance_rules(logic, multiworld, player, world_options): + set_entrance_rule(multiworld, player, Entrance.use_desert_obelisk, logic.can_use_obelisk(Transportation.desert_obelisk)) + set_entrance_rule(multiworld, player, Entrance.enter_greenhouse, logic.received("Greenhouse")) + set_entrance_rule(multiworld, player, Entrance.enter_coop, logic.building.has_building(Building.coop)) + set_entrance_rule(multiworld, player, Entrance.enter_barn, logic.building.has_building(Building.barn)) + set_entrance_rule(multiworld, player, Entrance.enter_shed, logic.building.has_building(Building.shed)) + set_entrance_rule(multiworld, player, Entrance.enter_slime_hutch, logic.building.has_building(Building.slime_hutch)) + + +def set_bedroom_entrance_rules(logic, multiworld, player, world_options: StardewValleyOptions): + set_entrance_rule(multiworld, player, Entrance.enter_harvey_room, logic.relationship.has_hearts(NPC.harvey, 2)) + set_entrance_rule(multiworld, player, Entrance.mountain_to_maru_room, logic.relationship.has_hearts(NPC.maru, 2)) + set_entrance_rule(multiworld, player, Entrance.enter_sebastian_room, (logic.relationship.has_hearts(NPC.sebastian, 2) | logic.mod.magic.can_blink())) + set_entrance_rule(multiworld, player, Entrance.forest_to_leah_cottage, logic.relationship.has_hearts(NPC.leah, 2)) + set_entrance_rule(multiworld, player, Entrance.enter_elliott_house, logic.relationship.has_hearts(NPC.elliott, 2)) + set_entrance_rule(multiworld, player, Entrance.enter_sunroom, logic.relationship.has_hearts(NPC.caroline, 2)) + set_entrance_rule(multiworld, player, Entrance.enter_wizard_basement, logic.relationship.has_hearts(NPC.wizard, 4)) + if ModNames.alec in world_options.mods: + set_entrance_rule(multiworld, player, AlecEntrance.petshop_to_bedroom, (logic.relationship.has_hearts(ModNPC.alec, 2) | logic.mod.magic.can_blink())) + if ModNames.lacey in world_options.mods: + set_entrance_rule(multiworld, player, LaceyEntrance.forest_to_hat_house, logic.relationship.has_hearts(ModNPC.lacey, 2)) -def set_entrance_rules(logic, multiworld, player, world_options: StardewValleyOptions): +def set_mines_floor_entrance_rules(logic, multiworld, player): for floor in range(5, 120 + 5, 5): - MultiWorldRules.set_rule(multiworld.get_entrance(dig_to_mines_floor(floor), player), - logic.can_mine_to_floor(floor).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_tide_pools, player), - logic.received("Beach Bridge") | (magic.can_blink(logic)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_quarry, player), - logic.received("Bridge Repair") | (magic.can_blink(logic)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_secret_woods, player), - logic.has_tool(Tool.axe, "Iron") | (magic.can_blink(logic)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.forest_to_sewer, player), - logic.has_rusty_key().simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.town_to_sewer, player), - logic.has_rusty_key().simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.take_bus_to_desert, player), - logic.received("Bus Repair").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_skull_cavern, player), - logic.received(Wallet.skull_key).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_casino, player), - logic.received("Club Card").simplify()) + rule = logic.mine.has_mine_elevator_to_floor(floor - 10) + if floor == 5 or floor == 45 or floor == 85: + rule = rule & logic.mine.can_progress_in_the_mines_from_floor(floor) + entrance = multiworld.get_entrance(dig_to_mines_floor(floor), player) + MultiWorldRules.set_rule(entrance, rule) + + +def set_skull_cavern_floor_entrance_rules(logic, multiworld, player): for floor in range(25, 200 + 25, 25): - MultiWorldRules.set_rule(multiworld.get_entrance(dig_to_skull_floor(floor), player), - logic.can_mine_to_skull_cavern_floor(floor).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.talk_to_mines_dwarf, player), - logic.can_speak_dwarf() & logic.has_tool(Tool.pickaxe, ToolMaterial.iron)) - - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.use_desert_obelisk, player), - logic.received(Transportation.desert_obelisk).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.use_island_obelisk, player), - logic.received(Transportation.island_obelisk).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.use_farm_obelisk, player), - logic.received(Transportation.farm_obelisk).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.buy_from_traveling_merchant, player), - logic.has_traveling_merchant()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_greenhouse, player), - logic.received("Greenhouse")) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.mountain_to_adventurer_guild, player), - logic.received("Adventurer's Guild")) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.mountain_to_railroad, player), - logic.has_lived_months(2)) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_witch_warp_cave, player), - logic.received(Wallet.dark_talisman) | (magic.can_blink(logic)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_witch_hut, player), - (logic.has(ArtisanGood.void_mayonnaise) | magic.can_blink(logic)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_mutant_bug_lair, player), - ((logic.has_rusty_key() & logic.can_reach_region(Region.railroad) & - logic.can_meet(NPC.krobus) | magic.can_blink(logic)).simplify())) - - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_harvey_room, player), - logic.has_relationship(NPC.harvey, 2)) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.mountain_to_maru_room, player), - logic.has_relationship(NPC.maru, 2)) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_sebastian_room, player), - (logic.has_relationship(NPC.sebastian, 2) | magic.can_blink(logic)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.forest_to_leah_cottage, player), - logic.has_relationship(NPC.leah, 2)) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_elliott_house, player), - logic.has_relationship(NPC.elliott, 2)) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_sunroom, player), - logic.has_relationship(NPC.caroline, 2)) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.enter_wizard_basement, player), - logic.has_relationship(NPC.wizard, 4)) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.mountain_to_leo_treehouse, player), - logic.received("Treehouse")) - if ModNames.alec in world_options.mods: - MultiWorldRules.set_rule(multiworld.get_entrance(AlecEntrance.petshop_to_bedroom, player), - (logic.has_relationship(ModNPC.alec, 2) | magic.can_blink(logic)).simplify()) + rule = logic.mod.elevator.has_skull_cavern_elevator_to_floor(floor - 25) + if floor == 25 or floor == 75 or floor == 125: + rule = rule & logic.mine.can_progress_in_the_skull_cavern_from_floor(floor) + entrance = multiworld.get_entrance(dig_to_skull_floor(floor), player) + MultiWorldRules.set_rule(entrance, rule) + + +def set_blacksmith_entrance_rules(logic, multiworld, player): + set_blacksmith_upgrade_rule(logic, multiworld, player, Entrance.blacksmith_copper, MetalBar.copper, ToolMaterial.copper) + set_blacksmith_upgrade_rule(logic, multiworld, player, Entrance.blacksmith_iron, MetalBar.iron, ToolMaterial.iron) + set_blacksmith_upgrade_rule(logic, multiworld, player, Entrance.blacksmith_gold, MetalBar.gold, ToolMaterial.gold) + set_blacksmith_upgrade_rule(logic, multiworld, player, Entrance.blacksmith_iridium, MetalBar.iridium, ToolMaterial.iridium) + + +def set_skill_entrance_rules(logic, multiworld, player): + set_entrance_rule(multiworld, player, Entrance.farming, logic.skill.can_get_farming_xp) + set_entrance_rule(multiworld, player, Entrance.fishing, logic.skill.can_get_fishing_xp) + + +def set_blacksmith_upgrade_rule(logic, multiworld, player, entrance_name: str, item_name: str, tool_material: str): + material_entrance = multiworld.get_entrance(entrance_name, player) + upgrade_rule = logic.has(item_name) & logic.money.can_spend(tool_upgrade_prices[tool_material]) + MultiWorldRules.set_rule(material_entrance, upgrade_rule) + + +def set_festival_entrance_rules(logic, multiworld, player): + set_entrance_rule(multiworld, player, Entrance.attend_egg_festival, logic.season.has(Season.spring)) + set_entrance_rule(multiworld, player, Entrance.attend_flower_dance, logic.season.has(Season.spring)) + + set_entrance_rule(multiworld, player, Entrance.attend_luau, logic.season.has(Season.summer)) + set_entrance_rule(multiworld, player, Entrance.attend_moonlight_jellies, logic.season.has(Season.summer)) + + set_entrance_rule(multiworld, player, Entrance.attend_fair, logic.season.has(Season.fall)) + set_entrance_rule(multiworld, player, Entrance.attend_spirit_eve, logic.season.has(Season.fall)) + + set_entrance_rule(multiworld, player, Entrance.attend_festival_of_ice, logic.season.has(Season.winter)) + set_entrance_rule(multiworld, player, Entrance.attend_night_market, logic.season.has(Season.winter)) + set_entrance_rule(multiworld, player, Entrance.attend_winter_star, logic.season.has(Season.winter)) def set_ginger_island_rules(logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): - set_island_entrances_rules(logic, multiworld, player) + set_island_entrances_rules(logic, multiworld, player, world_options) if world_options.exclude_ginger_island == ExcludeGingerIsland.option_true: return set_boat_repair_rules(logic, multiworld, player) set_island_parrot_rules(logic, multiworld, player) MultiWorldRules.add_rule(multiworld.get_location("Open Professor Snail Cave", player), - logic.has(Craftable.cherry_bomb).simplify()) + logic.has(Bomb.cherry_bomb)) MultiWorldRules.add_rule(multiworld.get_location("Complete Island Field Office", player), - logic.can_complete_field_office().simplify()) + logic.can_complete_field_office()) def set_boat_repair_rules(logic: StardewLogic, multiworld, player): MultiWorldRules.add_rule(multiworld.get_location("Repair Boat Hull", player), - logic.has(Material.hardwood).simplify()) + logic.has(Material.hardwood)) MultiWorldRules.add_rule(multiworld.get_location("Repair Boat Anchor", player), - logic.has(MetalBar.iridium).simplify()) + logic.has(MetalBar.iridium)) MultiWorldRules.add_rule(multiworld.get_location("Repair Ticket Machine", player), - logic.has(ArtisanGood.battery_pack).simplify()) - - -def set_island_entrances_rules(logic: StardewLogic, multiworld, player): - boat_repaired = logic.received(Transportation.boat_repair).simplify() - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.fish_shop_to_boat_tunnel, player), - boat_repaired) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.boat_to_ginger_island, player), - boat_repaired) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_south_to_west, player), - logic.received("Island West Turtle").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_south_to_north, player), - logic.received("Island North Turtle").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_west_to_islandfarmhouse, player), - logic.received("Island Farmhouse").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_west_to_gourmand_cave, player), - logic.received("Island Farmhouse").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_north_to_dig_site, player), - logic.received("Dig Site Bridge").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.dig_site_to_professor_snail_cave, player), - logic.received("Open Professor Snail Cave").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.talk_to_island_trader, player), - logic.received("Island Trader").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_south_to_southeast, player), - logic.received("Island Resort").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.use_island_resort, player), - logic.received("Island Resort").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_west_to_qi_walnut_room, player), - logic.received("Qi Walnut Room").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.island_north_to_volcano, player), - (logic.can_water(0) | logic.received("Volcano Bridge") | - magic.can_blink(logic)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.volcano_to_secret_beach, player), - logic.can_water(2).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.climb_to_volcano_5, player), - (logic.can_mine_perfectly() & logic.can_water(1)).simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.talk_to_volcano_dwarf, player), - logic.can_speak_dwarf()) - MultiWorldRules.set_rule(multiworld.get_entrance(Entrance.climb_to_volcano_10, player), - (logic.can_mine_perfectly() & logic.can_water(1) & logic.received("Volcano Exit Shortcut")).simplify()) + logic.has(ArtisanGood.battery_pack)) + + +def set_island_entrances_rules(logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + boat_repaired = logic.received(Transportation.boat_repair) + dig_site_rule = logic.received("Dig Site Bridge") + entrance_rules = { + Entrance.use_island_obelisk: logic.can_use_obelisk(Transportation.island_obelisk), + Entrance.use_farm_obelisk: logic.can_use_obelisk(Transportation.farm_obelisk), + Entrance.fish_shop_to_boat_tunnel: boat_repaired, + Entrance.boat_to_ginger_island: boat_repaired, + Entrance.island_south_to_west: logic.received("Island West Turtle"), + Entrance.island_south_to_north: logic.received("Island North Turtle"), + Entrance.island_west_to_islandfarmhouse: logic.received("Island Farmhouse"), + Entrance.island_west_to_gourmand_cave: logic.received("Island Farmhouse"), + Entrance.island_north_to_dig_site: dig_site_rule, + Entrance.dig_site_to_professor_snail_cave: logic.received("Open Professor Snail Cave"), + Entrance.talk_to_island_trader: logic.received("Island Trader"), + Entrance.island_south_to_southeast: logic.received("Island Resort"), + Entrance.use_island_resort: logic.received("Island Resort"), + Entrance.island_west_to_qi_walnut_room: logic.received("Qi Walnut Room"), + Entrance.island_north_to_volcano: logic.tool.can_water(0) | logic.received("Volcano Bridge") | logic.mod.magic.can_blink(), + Entrance.volcano_to_secret_beach: logic.tool.can_water(2), + Entrance.climb_to_volcano_5: logic.ability.can_mine_perfectly() & logic.tool.can_water(1), + Entrance.talk_to_volcano_dwarf: logic.wallet.can_speak_dwarf(), + Entrance.climb_to_volcano_10: logic.ability.can_mine_perfectly() & logic.tool.can_water(1), + Entrance.mountain_to_leo_treehouse: logic.received("Treehouse"), + } parrots = [Entrance.parrot_express_docks_to_volcano, Entrance.parrot_express_jungle_to_volcano, Entrance.parrot_express_dig_site_to_volcano, Entrance.parrot_express_docks_to_dig_site, Entrance.parrot_express_jungle_to_dig_site, Entrance.parrot_express_volcano_to_dig_site, Entrance.parrot_express_docks_to_jungle, Entrance.parrot_express_dig_site_to_jungle, Entrance.parrot_express_volcano_to_jungle, Entrance.parrot_express_jungle_to_docks, Entrance.parrot_express_dig_site_to_docks, Entrance.parrot_express_volcano_to_docks] + parrot_express_rule = logic.received(Transportation.parrot_express) + parrot_express_to_dig_site_rule = dig_site_rule & parrot_express_rule for parrot in parrots: - MultiWorldRules.set_rule(multiworld.get_entrance(parrot, player), logic.received(Transportation.parrot_express).simplify()) + if "Dig Site" in parrot: + entrance_rules[parrot] = parrot_express_to_dig_site_rule + else: + entrance_rules[parrot] = parrot_express_rule + + set_many_island_entrances_rules(multiworld, player, entrance_rules, world_options) def set_island_parrot_rules(logic: StardewLogic, multiworld, player): - has_walnut = logic.has_walnut(1).simplify() - has_5_walnut = logic.has_walnut(5).simplify() - has_10_walnut = logic.has_walnut(10).simplify() - has_20_walnut = logic.has_walnut(20).simplify() + has_walnut = logic.has_walnut(1) + has_5_walnut = logic.has_walnut(5) + has_10_walnut = logic.has_walnut(10) + has_20_walnut = logic.has_walnut(20) MultiWorldRules.add_rule(multiworld.get_location("Leo's Parrot", player), has_walnut) MultiWorldRules.add_rule(multiworld.get_location("Island West Turtle", player), @@ -311,7 +391,7 @@ def set_island_parrot_rules(logic: StardewLogic, multiworld, player): has_10_walnut & logic.received("Island Farmhouse")) MultiWorldRules.add_rule(multiworld.get_location("Volcano Bridge", player), has_5_walnut & logic.received("Island West Turtle") & - logic.can_reach_region(Region.volcano_floor_10)) + logic.region.can_reach(Region.volcano_floor_10)) MultiWorldRules.add_rule(multiworld.get_location("Volcano Exit Shortcut", player), has_5_walnut & logic.received("Island West Turtle")) MultiWorldRules.add_rule(multiworld.get_location("Island Resort", player), @@ -320,45 +400,47 @@ def set_island_parrot_rules(logic: StardewLogic, multiworld, player): has_10_walnut) -def set_cropsanity_rules(all_location_names: List[str], logic, multiworld, player, world_options: StardewValleyOptions): +def set_cropsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): if world_options.cropsanity == Cropsanity.option_disabled: return harvest_prefix = "Harvest " harvest_prefix_length = len(harvest_prefix) - for harvest_location in locations_by_tag[LocationTags.CROPSANITY]: + for harvest_location in locations.locations_by_tag[LocationTags.CROPSANITY]: if harvest_location.name in all_location_names and (harvest_location.mod_name is None or harvest_location.mod_name in world_options.mods): crop_name = harvest_location.name[harvest_prefix_length:] MultiWorldRules.set_rule(multiworld.get_location(harvest_location.name, player), - logic.has(crop_name).simplify()) + logic.has(crop_name)) -def set_story_quests_rules(all_location_names: List[str], logic, multiworld, player, world_options: StardewValleyOptions): - for quest in locations_by_tag[LocationTags.QUEST]: +def set_story_quests_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + if world_options.quest_locations < 0: + return + for quest in locations.locations_by_tag[LocationTags.STORY_QUEST]: if quest.name in all_location_names and (quest.mod_name is None or quest.mod_name in world_options.mods): MultiWorldRules.set_rule(multiworld.get_location(quest.name, player), - logic.quest_rules[quest.name].simplify()) + logic.registry.quest_rules[quest.name]) def set_special_order_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): if world_options.special_order_locations == SpecialOrderLocations.option_disabled: return - board_rule = logic.received("Special Order Board") & logic.has_lived_months(4) - for board_order in locations_by_tag[LocationTags.SPECIAL_ORDER_BOARD]: + board_rule = logic.received("Special Order Board") & logic.time.has_lived_months(4) + for board_order in locations.locations_by_tag[LocationTags.SPECIAL_ORDER_BOARD]: if board_order.name in all_location_names: - order_rule = board_rule & logic.special_order_rules[board_order.name] - MultiWorldRules.set_rule(multiworld.get_location(board_order.name, player), order_rule.simplify()) + order_rule = board_rule & logic.registry.special_order_rules[board_order.name] + MultiWorldRules.set_rule(multiworld.get_location(board_order.name, player), order_rule) if world_options.exclude_ginger_island == ExcludeGingerIsland.option_true: return if world_options.special_order_locations == SpecialOrderLocations.option_board_only: return - qi_rule = logic.can_reach_region(Region.qi_walnut_room) & logic.has_lived_months(8) - for qi_order in locations_by_tag[LocationTags.SPECIAL_ORDER_QI]: + qi_rule = logic.region.can_reach(Region.qi_walnut_room) & logic.time.has_lived_months(8) + for qi_order in locations.locations_by_tag[LocationTags.SPECIAL_ORDER_QI]: if qi_order.name in all_location_names: - order_rule = qi_rule & logic.special_order_rules[qi_order.name] - MultiWorldRules.set_rule(multiworld.get_location(qi_order.name, player), order_rule.simplify()) + order_rule = qi_rule & logic.registry.special_order_rules[qi_order.name] + MultiWorldRules.set_rule(multiworld.get_location(qi_order.name, player), order_rule) help_wanted_prefix = "Help Wanted:" @@ -369,19 +451,21 @@ def set_special_order_rules(all_location_names: List[str], logic: StardewLogic, def set_help_wanted_quests_rules(logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): - help_wanted_number = world_options.help_wanted_locations + help_wanted_number = world_options.quest_locations.value + if help_wanted_number < 0: + return for i in range(0, help_wanted_number): set_number = i // 7 - month_rule = logic.has_lived_months(set_number).simplify() + month_rule = logic.time.has_lived_months(set_number) quest_number = set_number + 1 quest_number_in_set = i % 7 if quest_number_in_set < 4: quest_number = set_number * 4 + quest_number_in_set + 1 set_help_wanted_delivery_rule(multiworld, player, month_rule, quest_number) elif quest_number_in_set == 4: - set_help_wanted_fishing_rule(logic, multiworld, player, month_rule, quest_number) + set_help_wanted_fishing_rule(multiworld, player, month_rule, quest_number) elif quest_number_in_set == 5: - set_help_wanted_slay_monsters_rule(logic, multiworld, player, month_rule, quest_number) + set_help_wanted_slay_monsters_rule(multiworld, player, month_rule, quest_number) elif quest_number_in_set == 6: set_help_wanted_gathering_rule(multiworld, player, month_rule, quest_number) @@ -396,39 +480,37 @@ def set_help_wanted_gathering_rule(multiworld, player, month_rule, quest_number) MultiWorldRules.set_rule(multiworld.get_location(location_name, player), month_rule) -def set_help_wanted_fishing_rule(logic: StardewLogic, multiworld, player, month_rule, quest_number): +def set_help_wanted_fishing_rule(multiworld, player, month_rule, quest_number): location_name = f"{help_wanted_prefix} {fishing} {quest_number}" - fishing_rule = month_rule & logic.can_fish() - MultiWorldRules.set_rule(multiworld.get_location(location_name, player), fishing_rule.simplify()) + MultiWorldRules.set_rule(multiworld.get_location(location_name, player), month_rule) -def set_help_wanted_slay_monsters_rule(logic: StardewLogic, multiworld, player, month_rule, quest_number): +def set_help_wanted_slay_monsters_rule(multiworld, player, month_rule, quest_number): location_name = f"{help_wanted_prefix} {slay_monsters} {quest_number}" - slay_rule = month_rule & logic.can_do_combat_at_level("Basic") - MultiWorldRules.set_rule(multiworld.get_location(location_name, player), slay_rule.simplify()) + MultiWorldRules.set_rule(multiworld.get_location(location_name, player), month_rule) def set_fishsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld: MultiWorld, player: int): fish_prefix = "Fishsanity: " - for fish_location in locations_by_tag[LocationTags.FISHSANITY]: + for fish_location in locations.locations_by_tag[LocationTags.FISHSANITY]: if fish_location.name in all_location_names: fish_name = fish_location.name[len(fish_prefix):] MultiWorldRules.set_rule(multiworld.get_location(fish_location.name, player), - logic.has(fish_name).simplify()) + logic.has(fish_name)) def set_museumsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): museum_prefix = "Museumsanity: " if world_options.museumsanity == Museumsanity.option_milestones: - for museum_milestone in locations_by_tag[LocationTags.MUSEUM_MILESTONES]: + for museum_milestone in locations.locations_by_tag[LocationTags.MUSEUM_MILESTONES]: set_museum_milestone_rule(logic, multiworld, museum_milestone, museum_prefix, player) elif world_options.museumsanity != Museumsanity.option_none: set_museum_individual_donations_rules(all_location_names, logic, multiworld, museum_prefix, player) def set_museum_individual_donations_rules(all_location_names, logic: StardewLogic, multiworld, museum_prefix, player): - all_donations = sorted(locations_by_tag[LocationTags.MUSEUM_DONATIONS], + all_donations = sorted(locations.locations_by_tag[LocationTags.MUSEUM_DONATIONS], key=lambda x: all_museum_items_by_name[x.name[len(museum_prefix):]].difficulty, reverse=True) counter = 0 number_donations = len(all_donations) @@ -436,10 +518,10 @@ def set_museum_individual_donations_rules(all_location_names, logic: StardewLogi if museum_location.name in all_location_names: donation_name = museum_location.name[len(museum_prefix):] required_detectors = counter * 5 // number_donations - rule = logic.can_donate_museum_item(all_museum_items_by_name[donation_name]) & logic.received("Traveling Merchant Metal Detector", - required_detectors) + rule = logic.museum.can_find_museum_item(all_museum_items_by_name[donation_name]) & logic.received("Traveling Merchant Metal Detector", + required_detectors) MultiWorldRules.set_rule(multiworld.get_location(museum_location.name, player), - rule.simplify()) + rule) counter += 1 @@ -452,24 +534,24 @@ def set_museum_milestone_rule(logic: StardewLogic, multiworld: MultiWorld, museu metal_detector = "Traveling Merchant Metal Detector" rule = None if milestone_name.endswith(donations_suffix): - rule = get_museum_item_count_rule(logic, donations_suffix, milestone_name, all_museum_items, logic.can_donate_museum_items) + rule = get_museum_item_count_rule(logic, donations_suffix, milestone_name, all_museum_items, logic.museum.can_find_museum_items) elif milestone_name.endswith(minerals_suffix): - rule = get_museum_item_count_rule(logic, minerals_suffix, milestone_name, all_museum_minerals, logic.can_donate_museum_minerals) + rule = get_museum_item_count_rule(logic, minerals_suffix, milestone_name, all_museum_minerals, logic.museum.can_find_museum_minerals) elif milestone_name.endswith(artifacts_suffix): - rule = get_museum_item_count_rule(logic, artifacts_suffix, milestone_name, all_museum_artifacts, logic.can_donate_museum_artifacts) + rule = get_museum_item_count_rule(logic, artifacts_suffix, milestone_name, all_museum_artifacts, logic.museum.can_find_museum_artifacts) elif milestone_name == "Dwarf Scrolls": - rule = And([logic.can_donate_museum_item(item) for item in dwarf_scrolls]) & logic.received(metal_detector, 4) + rule = And(*(logic.museum.can_find_museum_item(item) for item in dwarf_scrolls)) & logic.received(metal_detector, 4) elif milestone_name == "Skeleton Front": - rule = And([logic.can_donate_museum_item(item) for item in skeleton_front]) & logic.received(metal_detector, 4) + rule = And(*(logic.museum.can_find_museum_item(item) for item in skeleton_front)) & logic.received(metal_detector, 4) elif milestone_name == "Skeleton Middle": - rule = And([logic.can_donate_museum_item(item) for item in skeleton_middle]) & logic.received(metal_detector, 4) + rule = And(*(logic.museum.can_find_museum_item(item) for item in skeleton_middle)) & logic.received(metal_detector, 4) elif milestone_name == "Skeleton Back": - rule = And([logic.can_donate_museum_item(item) for item in skeleton_back]) & logic.received(metal_detector, 4) + rule = And(*(logic.museum.can_find_museum_item(item) for item in skeleton_back)) & logic.received(metal_detector, 4) elif milestone_name == "Ancient Seed": - rule = logic.can_donate_museum_item(Artifact.ancient_seed) & logic.received(metal_detector, 4) + rule = logic.museum.can_find_museum_item(Artifact.ancient_seed) & logic.received(metal_detector, 4) if rule is None: return - MultiWorldRules.set_rule(multiworld.get_location(museum_milestone.name, player), rule.simplify()) + MultiWorldRules.set_rule(multiworld.get_location(museum_milestone.name, player), rule) def get_museum_item_count_rule(logic: StardewLogic, suffix, milestone_name, accepted_items, donation_func): @@ -483,63 +565,214 @@ def get_museum_item_count_rule(logic: StardewLogic, suffix, milestone_name, acce def set_backpack_rules(logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): if world_options.backpack_progression != BackpackProgression.option_vanilla: MultiWorldRules.set_rule(multiworld.get_location("Large Pack", player), - logic.can_spend_money(2000).simplify()) + logic.money.can_spend(2000)) MultiWorldRules.set_rule(multiworld.get_location("Deluxe Pack", player), - (logic.can_spend_money(10000) & logic.received("Progressive Backpack")).simplify()) + (logic.money.can_spend(10000) & logic.received("Progressive Backpack"))) if ModNames.big_backpack in world_options.mods: MultiWorldRules.set_rule(multiworld.get_location("Premium Pack", player), - (logic.can_spend_money(150000) & - logic.received("Progressive Backpack", 2)).simplify()) + (logic.money.can_spend(150000) & + logic.received("Progressive Backpack", 2))) def set_festival_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player): festival_locations = [] - festival_locations.extend(locations_by_tag[LocationTags.FESTIVAL]) - festival_locations.extend(locations_by_tag[LocationTags.FESTIVAL_HARD]) + festival_locations.extend(locations.locations_by_tag[LocationTags.FESTIVAL]) + festival_locations.extend(locations.locations_by_tag[LocationTags.FESTIVAL_HARD]) for festival in festival_locations: if festival.name in all_location_names: MultiWorldRules.set_rule(multiworld.get_location(festival.name, player), - logic.festival_rules[festival.name].simplify()) + logic.registry.festival_rules[festival.name]) + + +monster_eradication_prefix = "Monster Eradication: " + + +def set_monstersanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + monstersanity_option = world_options.monstersanity + if monstersanity_option == Monstersanity.option_none: + return + + if monstersanity_option == Monstersanity.option_one_per_monster or monstersanity_option == Monstersanity.option_split_goals: + set_monstersanity_monster_rules(all_location_names, logic, multiworld, player, monstersanity_option) + return + + if monstersanity_option == Monstersanity.option_progressive_goals: + set_monstersanity_progressive_category_rules(all_location_names, logic, multiworld, player) + return + + set_monstersanity_category_rules(all_location_names, logic, multiworld, player, monstersanity_option) + + +def set_monstersanity_monster_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, monstersanity_option): + for monster_name in logic.monster.all_monsters_by_name: + location_name = f"{monster_eradication_prefix}{monster_name}" + if location_name not in all_location_names: + continue + location = multiworld.get_location(location_name, player) + if monstersanity_option == Monstersanity.option_split_goals: + rule = logic.monster.can_kill_many(logic.monster.all_monsters_by_name[monster_name]) + else: + rule = logic.monster.can_kill(logic.monster.all_monsters_by_name[monster_name]) + MultiWorldRules.set_rule(location, rule) + + +def set_monstersanity_progressive_category_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player): + for monster_category in logic.monster.all_monsters_by_category: + set_monstersanity_progressive_single_category_rules(all_location_names, logic, multiworld, player, monster_category) + + +def set_monstersanity_progressive_single_category_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, monster_category: str): + location_names = [name for name in all_location_names if name.startswith(monster_eradication_prefix) and name.endswith(monster_category)] + if not location_names: + return + location_names = sorted(location_names, key=lambda name: get_monster_eradication_number(name, monster_category)) + for i in range(5): + location_name = location_names[i] + set_monstersanity_progressive_category_rule(all_location_names, logic, multiworld, player, monster_category, location_name, i) + + +def set_monstersanity_progressive_category_rule(all_location_names: List[str], logic: StardewLogic, multiworld, player, + monster_category: str, location_name: str, goal_index): + if location_name not in all_location_names: + return + location = multiworld.get_location(location_name, player) + if goal_index < 3: + rule = logic.monster.can_kill_any(logic.monster.all_monsters_by_category[monster_category], goal_index + 1) + else: + rule = logic.monster.can_kill_any(logic.monster.all_monsters_by_category[monster_category], goal_index * 2) + MultiWorldRules.set_rule(location, rule) + + +def get_monster_eradication_number(location_name, monster_category) -> int: + number = location_name[len(monster_eradication_prefix):-len(monster_category)] + number = number.strip() + if number.isdigit(): + return int(number) + return 1000 + + +def set_monstersanity_category_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, monstersanity_option): + for monster_category in logic.monster.all_monsters_by_category: + location_name = f"{monster_eradication_prefix}{monster_category}" + if location_name not in all_location_names: + continue + location = multiworld.get_location(location_name, player) + if monstersanity_option == Monstersanity.option_one_per_category: + rule = logic.monster.can_kill_any(logic.monster.all_monsters_by_category[monster_category]) + else: + rule = logic.monster.can_kill_any(logic.monster.all_monsters_by_category[monster_category], MAX_MONTHS) + MultiWorldRules.set_rule(location, rule) + + +def set_shipsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + shipsanity_option = world_options.shipsanity + if shipsanity_option == Shipsanity.option_none: + return + + shipsanity_prefix = "Shipsanity: " + for location in locations.locations_by_tag[LocationTags.SHIPSANITY]: + if location.name not in all_location_names: + continue + item_to_ship = location.name[len(shipsanity_prefix):] + MultiWorldRules.set_rule(multiworld.get_location(location.name, player), logic.shipping.can_ship(item_to_ship)) + + +def set_cooksanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + cooksanity_option = world_options.cooksanity + if cooksanity_option == Cooksanity.option_none: + return + + cooksanity_prefix = "Cook " + for location in locations.locations_by_tag[LocationTags.COOKSANITY]: + if location.name not in all_location_names: + continue + recipe_name = location.name[len(cooksanity_prefix):] + recipe = all_cooking_recipes_by_name[recipe_name] + cook_rule = logic.cooking.can_cook(recipe) + MultiWorldRules.set_rule(multiworld.get_location(location.name, player), cook_rule) -def set_traveling_merchant_rules(logic: StardewLogic, multiworld: MultiWorld, player: int): +def set_chefsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + chefsanity_option = world_options.chefsanity + if chefsanity_option == Chefsanity.option_none: + return + + chefsanity_suffix = " Recipe" + for location in locations.locations_by_tag[LocationTags.CHEFSANITY]: + if location.name not in all_location_names: + continue + recipe_name = location.name[:-len(chefsanity_suffix)] + recipe = all_cooking_recipes_by_name[recipe_name] + learn_rule = logic.cooking.can_learn_recipe(recipe.source) + MultiWorldRules.set_rule(multiworld.get_location(location.name, player), learn_rule) + + +def set_craftsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld, player, world_options: StardewValleyOptions): + craftsanity_option = world_options.craftsanity + if craftsanity_option == Craftsanity.option_none: + return + + craft_prefix = "Craft " + craft_suffix = " Recipe" + for location in locations.locations_by_tag[LocationTags.CRAFTSANITY]: + if location.name not in all_location_names: + continue + if location.name.endswith(craft_suffix): + recipe_name = location.name[:-len(craft_suffix)] + recipe = all_crafting_recipes_by_name[recipe_name] + craft_rule = logic.crafting.can_learn_recipe(recipe) + else: + recipe_name = location.name[len(craft_prefix):] + recipe = all_crafting_recipes_by_name[recipe_name] + craft_rule = logic.crafting.can_craft(recipe) + MultiWorldRules.set_rule(multiworld.get_location(location.name, player), craft_rule) + + +def set_traveling_merchant_day_rules(logic: StardewLogic, multiworld: MultiWorld, player: int): for day in Weekday.all_days: item_for_day = f"Traveling Merchant: {day}" - for i in range(1, 4): - location_name = f"Traveling Merchant {day} Item {i}" - MultiWorldRules.set_rule(multiworld.get_location(location_name, player), - logic.received(item_for_day)) + entrance_name = f"Buy from Traveling Merchant {day}" + set_entrance_rule(multiworld, player, entrance_name, logic.received(item_for_day)) def set_arcade_machine_rules(logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): MultiWorldRules.add_rule(multiworld.get_entrance(Entrance.play_junimo_kart, player), - logic.received(Wallet.skull_key).simplify()) + logic.received(Wallet.skull_key)) if world_options.arcade_machine_locations != ArcadeMachineLocations.option_full_shuffling: return MultiWorldRules.add_rule(multiworld.get_entrance(Entrance.play_junimo_kart, player), - logic.has("Junimo Kart Small Buff").simplify()) + logic.has("Junimo Kart Small Buff")) MultiWorldRules.add_rule(multiworld.get_entrance(Entrance.reach_junimo_kart_2, player), - logic.has("Junimo Kart Medium Buff").simplify()) + logic.has("Junimo Kart Medium Buff")) MultiWorldRules.add_rule(multiworld.get_entrance(Entrance.reach_junimo_kart_3, player), - logic.has("Junimo Kart Big Buff").simplify()) + logic.has("Junimo Kart Big Buff")) MultiWorldRules.add_rule(multiworld.get_location("Junimo Kart: Sunset Speedway (Victory)", player), - logic.has("Junimo Kart Max Buff").simplify()) + logic.has("Junimo Kart Max Buff")) MultiWorldRules.add_rule(multiworld.get_entrance(Entrance.play_journey_of_the_prairie_king, player), - logic.has("JotPK Small Buff").simplify()) + logic.has("JotPK Small Buff")) MultiWorldRules.add_rule(multiworld.get_entrance(Entrance.reach_jotpk_world_2, player), - logic.has("JotPK Medium Buff").simplify()) + logic.has("JotPK Medium Buff")) MultiWorldRules.add_rule(multiworld.get_entrance(Entrance.reach_jotpk_world_3, player), - logic.has("JotPK Big Buff").simplify()) + logic.has("JotPK Big Buff")) MultiWorldRules.add_rule(multiworld.get_location("Journey of the Prairie King Victory", player), - logic.has("JotPK Max Buff").simplify()) + logic.has("JotPK Max Buff")) -def set_friendsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld: MultiWorld, player: int): +def set_friendsanity_rules(all_location_names: List[str], logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): + if world_options.friendsanity == Friendsanity.option_none: + return + MultiWorldRules.add_rule(multiworld.get_location("Spouse Stardrop", player), + logic.relationship.has_hearts(Generic.bachelor, 13)) + MultiWorldRules.add_rule(multiworld.get_location("Have a Baby", player), + logic.relationship.can_reproduce(1)) + MultiWorldRules.add_rule(multiworld.get_location("Have Another Baby", player), + logic.relationship.can_reproduce(2)) + friend_prefix = "Friendsanity: " friend_suffix = " <3" - for friend_location in locations_by_tag[LocationTags.FRIENDSANITY]: - if friend_location.name not in all_location_names: + for friend_location in locations.locations_by_tag[LocationTags.FRIENDSANITY]: + if not friend_location.name in all_location_names: continue friend_location_without_prefix = friend_location.name[len(friend_prefix):] friend_location_trimmed = friend_location_without_prefix[:friend_location_without_prefix.index(friend_suffix)] @@ -547,89 +780,138 @@ def set_friendsanity_rules(all_location_names: List[str], logic: StardewLogic, m friend_name = friend_location_trimmed[:split_index] num_hearts = int(friend_location_trimmed[split_index + 1:]) MultiWorldRules.set_rule(multiworld.get_location(friend_location.name, player), - logic.can_earn_relationship(friend_name, num_hearts).simplify()) + logic.relationship.can_earn_relationship(friend_name, num_hearts)) def set_deepwoods_rules(logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): if ModNames.deepwoods in world_options.mods: MultiWorldRules.add_rule(multiworld.get_location("Breaking Up Deep Woods Gingerbread House", player), - logic.has_tool(Tool.axe, "Gold") & deepwoods.can_reach_woods_depth(logic, 50).simplify()) + logic.tool.has_tool(Tool.axe, "Gold")) MultiWorldRules.add_rule(multiworld.get_location("Chop Down a Deep Woods Iridium Tree", player), - logic.has_tool(Tool.axe, "Iridium").simplify()) - MultiWorldRules.set_rule(multiworld.get_entrance(DeepWoodsEntrance.use_woods_obelisk, player), - logic.received("Woods Obelisk").simplify()) + logic.tool.has_tool(Tool.axe, "Iridium")) + set_entrance_rule(multiworld, player, DeepWoodsEntrance.use_woods_obelisk, logic.received("Woods Obelisk")) for depth in range(10, 100 + 10, 10): - MultiWorldRules.set_rule(multiworld.get_entrance(move_to_woods_depth(depth), player), - deepwoods.can_chop_to_depth(logic, depth).simplify()) + set_entrance_rule(multiworld, player, move_to_woods_depth(depth), logic.mod.deepwoods.can_chop_to_depth(depth)) + MultiWorldRules.add_rule(multiworld.get_location("The Sword in the Stone", player), + logic.mod.deepwoods.can_pull_sword() & logic.mod.deepwoods.can_chop_to_depth(100)) def set_magic_spell_rules(logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): if ModNames.magic not in world_options.mods: return - MultiWorldRules.set_rule(multiworld.get_entrance(MagicEntrance.store_to_altar, player), - (logic.has_relationship(NPC.wizard, 3) & - logic.can_reach_region(Region.wizard_tower)).simplify()) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Clear Debris", player), - ((logic.has_tool("Axe", "Basic") | logic.has_tool("Pickaxe", "Basic")) - & magic.can_use_altar(logic)).simplify()) + (logic.tool.has_tool("Axe", "Basic") | logic.tool.has_tool("Pickaxe", "Basic"))) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Till", player), - (logic.has_tool("Hoe", "Basic") & magic.can_use_altar(logic)).simplify()) + logic.tool.has_tool("Hoe", "Basic")) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Water", player), - (logic.has_tool("Watering Can", "Basic") & magic.can_use_altar(logic)).simplify()) + logic.tool.has_tool("Watering Can", "Basic")) MultiWorldRules.add_rule(multiworld.get_location("Analyze All Toil School Locations", player), - (logic.has_tool("Watering Can", "Basic") & logic.has_tool("Hoe", "Basic") - & (logic.has_tool("Axe", "Basic") | logic.has_tool("Pickaxe", "Basic")) - & magic.can_use_altar(logic)).simplify()) + (logic.tool.has_tool("Watering Can", "Basic") & logic.tool.has_tool("Hoe", "Basic") + & (logic.tool.has_tool("Axe", "Basic") | logic.tool.has_tool("Pickaxe", "Basic")))) # Do I *want* to add boots into logic when you get them even in vanilla without effort? idk MultiWorldRules.add_rule(multiworld.get_location("Analyze: Evac", player), - (logic.can_mine_perfectly() & magic.can_use_altar(logic)).simplify()) + logic.ability.can_mine_perfectly()) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Haste", player), - (logic.has("Coffee") & magic.can_use_altar(logic)).simplify()) + logic.has("Coffee")) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Heal", player), - (logic.has("Life Elixir") & magic.can_use_altar(logic)).simplify()) + logic.has("Life Elixir")) MultiWorldRules.add_rule(multiworld.get_location("Analyze All Life School Locations", player), (logic.has("Coffee") & logic.has("Life Elixir") - & logic.can_mine_perfectly() & magic.can_use_altar(logic)).simplify()) + & logic.ability.can_mine_perfectly())) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Descend", player), - (logic.can_reach_region(Region.mines) & magic.can_use_altar(logic)).simplify()) + logic.region.can_reach(Region.mines)) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Fireball", player), - (logic.has("Fire Quartz") & magic.can_use_altar(logic)).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Analyze: Frostbite", player), - (logic.can_mine_to_floor(70) & logic.can_fish(85) & magic.can_use_altar(logic)).simplify()) + logic.has("Fire Quartz")) + MultiWorldRules.add_rule(multiworld.get_location("Analyze: Frostbolt", player), + logic.region.can_reach(Region.mines_floor_60) & logic.skill.can_fish(difficulty=85)) MultiWorldRules.add_rule(multiworld.get_location("Analyze All Elemental School Locations", player), - (logic.can_reach_region(Region.mines) & logic.has("Fire Quartz") - & logic.can_reach_region(Region.mines_floor_70) & logic.can_fish(85) & - magic.can_use_altar(logic)).simplify()) - MultiWorldRules.add_rule(multiworld.get_location("Analyze: Lantern", player), - magic.can_use_altar(logic).simplify()) + logic.has("Fire Quartz") & logic.region.can_reach(Region.mines_floor_60) & logic.skill.can_fish(difficulty=85)) + # MultiWorldRules.add_rule(multiworld.get_location("Analyze: Lantern", player),) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Tendrils", player), - (logic.can_reach_region(Region.farm) & magic.can_use_altar(logic)).simplify()) + logic.region.can_reach(Region.farm)) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Shockwave", player), - (logic.has("Earth Crystal") & magic.can_use_altar(logic)).simplify()) + logic.has("Earth Crystal")) MultiWorldRules.add_rule(multiworld.get_location("Analyze All Nature School Locations", player), - (logic.has("Earth Crystal") & logic.can_reach_region("Farm") & - magic.can_use_altar(logic)).simplify()), + (logic.has("Earth Crystal") & logic.region.can_reach("Farm"))), MultiWorldRules.add_rule(multiworld.get_location("Analyze: Meteor", player), - (logic.can_reach_region(Region.farm) & logic.has_lived_months(12) - & magic.can_use_altar(logic)).simplify()), + (logic.region.can_reach(Region.farm) & logic.time.has_lived_months(12))), MultiWorldRules.add_rule(multiworld.get_location("Analyze: Lucksteal", player), - (logic.can_reach_region(Region.witch_hut) & magic.can_use_altar(logic)).simplify()) + logic.region.can_reach(Region.witch_hut)) MultiWorldRules.add_rule(multiworld.get_location("Analyze: Bloodmana", player), - (logic.can_reach_region(Region.mines_floor_100) & magic.can_use_altar(logic)).simplify()) + logic.region.can_reach(Region.mines_floor_100)) MultiWorldRules.add_rule(multiworld.get_location("Analyze All Eldritch School Locations", player), - (logic.can_reach_region(Region.witch_hut) & - logic.can_reach_region(Region.mines_floor_100) & - logic.can_reach_region(Region.farm) & logic.has_lived_months(12) & - magic.can_use_altar(logic)).simplify()) + (logic.region.can_reach(Region.witch_hut) & + logic.region.can_reach(Region.mines_floor_100) & + logic.region.can_reach(Region.farm) & logic.time.has_lived_months(12))) MultiWorldRules.add_rule(multiworld.get_location("Analyze Every Magic School Location", player), - (logic.has_tool("Watering Can", "Basic") & logic.has_tool("Hoe", "Basic") - & (logic.has_tool("Axe", "Basic") | logic.has_tool("Pickaxe", "Basic")) & + (logic.tool.has_tool("Watering Can", "Basic") & logic.tool.has_tool("Hoe", "Basic") + & (logic.tool.has_tool("Axe", "Basic") | logic.tool.has_tool("Pickaxe", "Basic")) & logic.has("Coffee") & logic.has("Life Elixir") - & logic.can_mine_perfectly() & logic.has("Earth Crystal") & - logic.can_reach_region(Region.mines) & - logic.has("Fire Quartz") & logic.can_fish(85) & - logic.can_reach_region(Region.witch_hut) & - logic.can_reach_region(Region.mines_floor_100) & - logic.can_reach_region(Region.farm) & logic.has_lived_months(12) & - magic.can_use_altar(logic)).simplify()) + & logic.ability.can_mine_perfectly() & logic.has("Earth Crystal") & + logic.has("Fire Quartz") & logic.skill.can_fish(difficulty=85) & + logic.region.can_reach(Region.witch_hut) & + logic.region.can_reach(Region.mines_floor_100) & + logic.region.can_reach(Region.farm) & logic.time.has_lived_months(12))) + + +def set_sve_rules(logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): + if ModNames.sve not in world_options.mods: + return + set_entrance_rule(multiworld, player, SVEEntrance.forest_to_lost_woods, logic.bundle.can_complete_community_center) + set_entrance_rule(multiworld, player, SVEEntrance.enter_summit, logic.mod.sve.has_iridium_bomb()) + set_entrance_rule(multiworld, player, SVEEntrance.backwoods_to_grove, logic.mod.sve.has_any_rune()) + set_entrance_rule(multiworld, player, SVEEntrance.badlands_to_cave, logic.has("Aegis Elixir")) + set_entrance_rule(multiworld, player, SVEEntrance.forest_west_to_spring, logic.quest.can_complete_quest(Quest.magic_ink)) + set_entrance_rule(multiworld, player, SVEEntrance.railroad_to_grampleton_station, logic.received(SVEQuestItem.scarlett_job_offer)) + set_entrance_rule(multiworld, player, SVEEntrance.secret_woods_to_west, logic.tool.has_tool(Tool.axe, ToolMaterial.iron)) + set_entrance_rule(multiworld, player, SVEEntrance.grandpa_shed_to_interior, logic.tool.has_tool(Tool.axe, ToolMaterial.iron)) + set_entrance_rule(multiworld, player, SVEEntrance.aurora_warp_to_aurora, logic.received(SVERunes.nexus_aurora)) + set_entrance_rule(multiworld, player, SVEEntrance.farm_warp_to_farm, logic.received(SVERunes.nexus_farm)) + set_entrance_rule(multiworld, player, SVEEntrance.guild_warp_to_guild, logic.received(SVERunes.nexus_guild)) + set_entrance_rule(multiworld, player, SVEEntrance.junimo_warp_to_junimo, logic.received(SVERunes.nexus_junimo)) + set_entrance_rule(multiworld, player, SVEEntrance.spring_warp_to_spring, logic.received(SVERunes.nexus_spring)) + set_entrance_rule(multiworld, player, SVEEntrance.outpost_warp_to_outpost, logic.received(SVERunes.nexus_outpost)) + set_entrance_rule(multiworld, player, SVEEntrance.wizard_warp_to_wizard, logic.received(SVERunes.nexus_wizard)) + set_entrance_rule(multiworld, player, SVEEntrance.use_purple_junimo, logic.relationship.has_hearts(ModNPC.apples, 10)) + set_entrance_rule(multiworld, player, SVEEntrance.grandpa_interior_to_upstairs, logic.received(SVEQuestItem.grandpa_shed)) + set_entrance_rule(multiworld, player, SVEEntrance.use_bear_shop, (logic.mod.sve.can_buy_bear_recipe())) + set_entrance_rule(multiworld, player, SVEEntrance.railroad_to_grampleton_station, logic.received(SVEQuestItem.scarlett_job_offer)) + set_entrance_rule(multiworld, player, SVEEntrance.museum_to_gunther_bedroom, logic.relationship.has_hearts(ModNPC.gunther, 2)) + logic.mod.sve.initialize_rules() + for location in logic.registry.sve_location_rules: + MultiWorldRules.set_rule(multiworld.get_location(location, player), + logic.registry.sve_location_rules[location]) + set_sve_ginger_island_rules(logic, multiworld, player, world_options) + set_boarding_house_rules(logic, multiworld, player, world_options) + + +def set_sve_ginger_island_rules(logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): + if world_options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return + set_entrance_rule(multiworld, player, SVEEntrance.summit_to_highlands, logic.received(SVEQuestItem.marlon_boat_paddle)) + set_entrance_rule(multiworld, player, SVEEntrance.wizard_to_fable_reef, logic.received(SVEQuestItem.fable_reef_portal)) + set_entrance_rule(multiworld, player, SVEEntrance.highlands_to_cave, logic.tool.has_tool(Tool.pickaxe, ToolMaterial.iron) & logic.tool.has_tool(Tool.axe, ToolMaterial.iron)) + + +def set_boarding_house_rules(logic: StardewLogic, multiworld: MultiWorld, player: int, world_options: StardewValleyOptions): + if ModNames.boarding_house not in world_options.mods: + return + set_entrance_rule(multiworld, player, BoardingHouseEntrance.the_lost_valley_to_lost_valley_ruins, logic.tool.has_tool(Tool.axe, ToolMaterial.iron)) + + +def set_entrance_rule(multiworld, player, entrance: str, rule: CollectionRule): + MultiWorldRules.set_rule(multiworld.get_entrance(entrance, player), rule) + + +def set_island_entrance_rule(multiworld, player, entrance: str, rule: CollectionRule, world_options: StardewValleyOptions): + if world_options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return + set_entrance_rule(multiworld, player, entrance, rule) + + +def set_many_island_entrances_rules(multiworld, player, entrance_rules: Dict[str, CollectionRule], world_options: StardewValleyOptions): + if world_options.exclude_ginger_island == ExcludeGingerIsland.option_true: + return + for entrance, rule in entrance_rules.items(): + set_entrance_rule(multiworld, player, entrance, rule) diff --git a/worlds/stardew_valley/scripts/update_data.py b/worlds/stardew_valley/scripts/update_data.py index 7b31a3705c5c..ae8f7f8d5503 100644 --- a/worlds/stardew_valley/scripts/update_data.py +++ b/worlds/stardew_valley/scripts/update_data.py @@ -12,7 +12,7 @@ from worlds.stardew_valley import LocationData from worlds.stardew_valley.items import load_item_csv, Group, ItemData -from worlds.stardew_valley.locations import load_location_csv +from worlds.stardew_valley.locations import load_location_csv, LocationTags RESOURCE_PACK_CODE_OFFSET = 5000 script_folder = Path(__file__) @@ -34,14 +34,15 @@ def write_item_csv(items: List[ItemData]): def write_location_csv(locations: List[LocationData]): with open((script_folder.parent.parent / "data/locations.csv").resolve(), "w", newline="") as file: - write = csv.DictWriter(file, ["id", "region", "name", "tags"]) + write = csv.DictWriter(file, ["id", "region", "name", "tags", "mod_name"]) write.writeheader() for location in locations: location_dict = { "id": location.code_without_offset, "name": location.name, "region": location.region, - "tags": ",".join(sorted(group.name for group in location.tags)) + "tags": ",".join(sorted(group.name for group in location.tags)), + "mod_name": location.mod_name } write.writerow(location_dict) @@ -76,12 +77,11 @@ def write_location_csv(locations: List[LocationData]): location_counter = itertools.count(max(location.code_without_offset for location in loaded_locations if location.code_without_offset is not None) + 1) - locations_to_write = [] for location in loaded_locations: if location.code_without_offset is None: locations_to_write.append( - LocationData(next(location_counter), location.region, location.name, location.tags)) + LocationData(next(location_counter), location.region, location.name, location.mod_name, location.tags)) continue locations_to_write.append(location) diff --git a/worlds/stardew_valley/stardew_rule.py b/worlds/stardew_valley/stardew_rule.py deleted file mode 100644 index 9c96de00d333..000000000000 --- a/worlds/stardew_valley/stardew_rule.py +++ /dev/null @@ -1,384 +0,0 @@ -from __future__ import annotations - -from dataclasses import dataclass -from typing import Iterable, Dict, List, Union, FrozenSet, Set - -from BaseClasses import CollectionState, ItemClassification -from .items import item_table - -MISSING_ITEM = "THIS ITEM IS MISSING" - - -class StardewRule: - def __call__(self, state: CollectionState) -> bool: - raise NotImplementedError - - def __or__(self, other) -> StardewRule: - if type(other) is Or: - return Or(self, *other.rules) - - return Or(self, other) - - def __and__(self, other) -> StardewRule: - if type(other) is And: - return And(other.rules.union({self})) - - return And(self, other) - - def get_difficulty(self): - raise NotImplementedError - - def simplify(self) -> StardewRule: - return self - - -class True_(StardewRule): # noqa - - 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 __call__(self, state: CollectionState) -> bool: - return True - - def __or__(self, other) -> StardewRule: - return self - - def __and__(self, other) -> StardewRule: - return other - - def __repr__(self): - return "True" - - def get_difficulty(self): - return 0 - - -class False_(StardewRule): # noqa - - 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 __call__(self, state: CollectionState) -> bool: - return False - - def __or__(self, other) -> StardewRule: - return other - - def __and__(self, other) -> StardewRule: - return self - - def __repr__(self): - return "False" - - def get_difficulty(self): - return 999999999 - - -false_ = False_() -true_ = True_() -assert false_ is False_() -assert true_ is True_() - - -class Or(StardewRule): - rules: FrozenSet[StardewRule] - _simplified: bool - - def __init__(self, rule: Union[StardewRule, Iterable[StardewRule]], *rules: StardewRule): - rules_list: Set[StardewRule] - - if isinstance(rule, Iterable): - rules_list = {*rule} - else: - rules_list = {rule} - - if rules is not None: - rules_list.update(rules) - - assert rules_list, "Can't create a Or conditions without rules" - - if any(type(rule) is Or for rule in rules_list): - new_rules: Set[StardewRule] = set() - for rule in rules_list: - if type(rule) is Or: - new_rules.update(rule.rules) - else: - new_rules.add(rule) - rules_list = new_rules - - self.rules = frozenset(rules_list) - self._simplified = False - - def __call__(self, state: CollectionState) -> bool: - return any(rule(state) for rule in self.rules) - - def __repr__(self): - return f"({' | '.join(repr(rule) for rule in self.rules)})" - - def __or__(self, other): - if other is true_: - return other - if other is false_: - return self - if type(other) is Or: - return Or(self.rules.union(other.rules)) - - return Or(self.rules.union({other})) - - def __eq__(self, other): - return isinstance(other, self.__class__) and other.rules == self.rules - - def __hash__(self): - return hash(self.rules) - - def get_difficulty(self): - return min(rule.get_difficulty() for rule in self.rules) - - def simplify(self) -> StardewRule: - if self._simplified: - return self - if true_ in self.rules: - return true_ - - simplified_rules = [simplified for simplified in {rule.simplify() for rule in self.rules} - if simplified is not false_] - - if not simplified_rules: - return false_ - - if len(simplified_rules) == 1: - return simplified_rules[0] - - self.rules = frozenset(simplified_rules) - self._simplified = True - return self - - -class And(StardewRule): - rules: FrozenSet[StardewRule] - _simplified: bool - - def __init__(self, rule: Union[StardewRule, Iterable[StardewRule]], *rules: StardewRule): - rules_list: Set[StardewRule] - - if isinstance(rule, Iterable): - rules_list = {*rule} - else: - rules_list = {rule} - - if rules is not None: - rules_list.update(rules) - - if not rules_list: - rules_list.add(true_) - elif any(type(rule) is And for rule in rules_list): - new_rules: Set[StardewRule] = set() - for rule in rules_list: - if type(rule) is And: - new_rules.update(rule.rules) - else: - new_rules.add(rule) - rules_list = new_rules - - self.rules = frozenset(rules_list) - self._simplified = False - - def __call__(self, state: CollectionState) -> bool: - return all(rule(state) for rule in self.rules) - - def __repr__(self): - return f"({' & '.join(repr(rule) for rule in self.rules)})" - - def __and__(self, other): - if other is true_: - return self - if other is false_: - return other - if type(other) is And: - return And(self.rules.union(other.rules)) - - return And(self.rules.union({other})) - - def __eq__(self, other): - return isinstance(other, self.__class__) and other.rules == self.rules - - def __hash__(self): - return hash(self.rules) - - def get_difficulty(self): - return max(rule.get_difficulty() for rule in self.rules) - - def simplify(self) -> StardewRule: - if self._simplified: - return self - if false_ in self.rules: - return false_ - - simplified_rules = [simplified for simplified in {rule.simplify() for rule in self.rules} - if simplified is not true_] - - if not simplified_rules: - return true_ - - if len(simplified_rules) == 1: - return simplified_rules[0] - - self.rules = frozenset(simplified_rules) - self._simplified = True - return self - - -class Count(StardewRule): - count: int - rules: List[StardewRule] - - def __init__(self, count: int, rule: Union[StardewRule, Iterable[StardewRule]], *rules: StardewRule): - rules_list: List[StardewRule] - - if isinstance(rule, Iterable): - rules_list = [*rule] - else: - rules_list = [rule] - - if rules is not None: - rules_list.extend(rules) - - assert rules_list, "Can't create a Count conditions without rules" - assert len(rules_list) >= count, "Count need at least as many rules at the count" - - self.rules = rules_list - self.count = count - - def __call__(self, state: CollectionState) -> bool: - c = 0 - for r in self.rules: - if r(state): - c += 1 - if c >= self.count: - return True - return False - - def __repr__(self): - return f"Received {self.count} {repr(self.rules)}" - - def get_difficulty(self): - rules_sorted_by_difficulty = sorted(self.rules, key=lambda x: x.get_difficulty()) - easiest_n_rules = rules_sorted_by_difficulty[0:self.count] - return max(rule.get_difficulty() for rule in easiest_n_rules) - - def simplify(self): - return Count(self.count, [rule.simplify() for rule in self.rules]) - - -class TotalReceived(StardewRule): - 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, \ - "Item 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 __repr__(self): - return f"Received {self.count} {self.items}" - - def get_difficulty(self): - return self.count - - -@dataclass(frozen=True) -class Received(StardewRule): - 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" - - def __call__(self, state: CollectionState) -> bool: - return state.has(self.item, self.player, self.count) - - def __repr__(self): - if self.count == 1: - return f"Received {self.item}" - return f"Received {self.count} {self.item}" - - def get_difficulty(self): - if self.item == "Spring": - return 0 - if self.item == "Summer": - return 1 - if self.item == "Fall": - return 2 - if self.item == "Winter": - return 3 - return self.count - - -@dataclass(frozen=True) -class Reach(StardewRule): - spot: str - resolution_hint: str - player: int - - def __call__(self, state: CollectionState) -> bool: - return state.can_reach(self.spot, self.resolution_hint, self.player) - - def __repr__(self): - return f"Reach {self.resolution_hint} {self.spot}" - - def get_difficulty(self): - return 1 - - -@dataclass(frozen=True) -class Has(StardewRule): - item: str - # For sure there is a better way than just passing all the rules everytime - other_rules: Dict[str, StardewRule] - - def __call__(self, state: CollectionState) -> bool: - if isinstance(self.item, str): - return self.other_rules[self.item](state) - - def __repr__(self): - if not self.item in self.other_rules: - return f"Has {self.item} -> {MISSING_ITEM}" - return f"Has {self.item} -> {repr(self.other_rules[self.item])}" - - def get_difficulty(self): - return self.other_rules[self.item].get_difficulty() + 1 - - def __hash__(self): - return hash(self.item) - - def simplify(self) -> StardewRule: - return self.other_rules[self.item].simplify() diff --git a/worlds/stardew_valley/stardew_rule/__init__.py b/worlds/stardew_valley/stardew_rule/__init__.py new file mode 100644 index 000000000000..73b2d1b66747 --- /dev/null +++ b/worlds/stardew_valley/stardew_rule/__init__.py @@ -0,0 +1,4 @@ +from .base import * +from .literal import * +from .protocol import * +from .state import * diff --git a/worlds/stardew_valley/stardew_rule/base.py b/worlds/stardew_valley/stardew_rule/base.py new file mode 100644 index 000000000000..06097f1118a6 --- /dev/null +++ b/worlds/stardew_valley/stardew_rule/base.py @@ -0,0 +1,460 @@ +from __future__ import annotations + +import logging +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 .explanation import RuleExplanation +from .literal import true_, false_, LiteralStardewRule +from .protocol import StardewRule + +MISSING_ITEM = "THIS ITEM IS MISSING" +logger = logging.getLogger(__name__) + + +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)) + + def explain(self, state: CollectionState, expected=True) -> RuleExplanation: + return RuleExplanation(self, state, expected, self.original_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 explain(self, state: CollectionState, expected=True) -> RuleExplanation: + return RuleExplanation(self, state, expected, 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 explain(self, state: CollectionState, expected=True) -> RuleExplanation: + return RuleExplanation(self, state, expected, [self.other_rules[self.item]]) + + 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) diff --git a/worlds/stardew_valley/stardew_rule/explanation.py b/worlds/stardew_valley/stardew_rule/explanation.py new file mode 100644 index 000000000000..f6eacafca127 --- /dev/null +++ b/worlds/stardew_valley/stardew_rule/explanation.py @@ -0,0 +1,55 @@ +from __future__ import annotations + +from abc import abstractmethod +from dataclasses import dataclass, field +from functools import cached_property +from typing import Iterable, Protocol, runtime_checkable + +from BaseClasses import CollectionState + +max_explanation_depth = 10 + + +@runtime_checkable +class ExplainableRule(Protocol): + + @abstractmethod + def __call__(self, state: CollectionState) -> bool: + ... + + def explain(self, state: CollectionState, expected=True) -> RuleExplanation: + return RuleExplanation(self, state, expected) + + +@dataclass +class RuleExplanation: + rule: ExplainableRule + state: CollectionState + expected: bool + sub_rules: Iterable[ExplainableRule] = field(default_factory=list) + + def summary(self, depth=0): + return " " * depth + f"{str(self.rule)} -> {self.result}" + + def __str__(self, depth=0): + if not self.sub_rules or depth >= max_explanation_depth: + return self.summary(depth) + + return self.summary(depth) + "\n" + "\n".join(RuleExplanation.__str__(i, depth + 1) + if i.result is not self.expected else i.summary(depth + 1) + for i in sorted(self.explained_sub_rules, key=lambda x: x.result)) + + def __repr__(self, depth=0): + if not self.sub_rules or depth >= max_explanation_depth: + return self.summary(depth) + + return self.summary(depth) + "\n" + "\n".join(RuleExplanation.__repr__(i, depth + 1) + for i in sorted(self.explained_sub_rules, key=lambda x: x.result)) + + @cached_property + def result(self): + return self.rule(self.state) + + @cached_property + def explained_sub_rules(self): + return [i.explain(self.state) for i in self.sub_rules] diff --git a/worlds/stardew_valley/stardew_rule/literal.py b/worlds/stardew_valley/stardew_rule/literal.py new file mode 100644 index 000000000000..58f7bae047fa --- /dev/null +++ b/worlds/stardew_valley/stardew_rule/literal.py @@ -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_ diff --git a/worlds/stardew_valley/stardew_rule/protocol.py b/worlds/stardew_valley/stardew_rule/protocol.py new file mode 100644 index 000000000000..4f17d816e048 --- /dev/null +++ b/worlds/stardew_valley/stardew_rule/protocol.py @@ -0,0 +1,31 @@ +from __future__ import annotations + +from abc import abstractmethod +from typing import Protocol, Tuple, runtime_checkable + +from BaseClasses import CollectionState +from .explanation import ExplainableRule + + +@runtime_checkable +class StardewRule(ExplainableRule, 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): + ... diff --git a/worlds/stardew_valley/stardew_rule/state.py b/worlds/stardew_valley/stardew_rule/state.py new file mode 100644 index 000000000000..159a20ac2cee --- /dev/null +++ b/worlds/stardew_valley/stardew_rule/state.py @@ -0,0 +1,167 @@ +from dataclasses import dataclass +from typing import Iterable, Union, List, Tuple, Hashable + +from BaseClasses import ItemClassification, CollectionState +from .base import BaseStardewRule, CombinableStardewRule +from .explanation import RuleExplanation, ExplainableRule +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}" + + def explain(self, state: CollectionState, expected=True) -> RuleExplanation: + return RuleExplanation(self, state, expected, [Received(i, self.player, 1) for i in 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 + + def explain(self, state: CollectionState, expected=True) -> RuleExplanation: + access_rules = None + if self.resolution_hint == 'Location': + spot = state.multiworld.get_location(self.spot, self.player) + + if isinstance(spot.access_rule, ExplainableRule): + access_rules = [spot.access_rule, Reach(spot.parent_region.name, "Region", self.player)] + + elif self.resolution_hint == 'Entrance': + spot = state.multiworld.get_entrance(self.spot, self.player) + + if isinstance(spot.access_rule, ExplainableRule): + access_rules = [spot.access_rule, Reach(spot.parent_region.name, "Region", self.player)] + + else: + spot = state.multiworld.get_region(self.spot, self.player) + access_rules = [*(Reach(e.name, "Entrance", self.player) for e in spot.entrances)] + + if not access_rules: + return RuleExplanation(self, state, expected) + + return RuleExplanation(self, state, expected, access_rules) + + +@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 diff --git a/worlds/stardew_valley/strings/animal_product_names.py b/worlds/stardew_valley/strings/animal_product_names.py index 6656e70e580d..f89b610ae89d 100644 --- a/worlds/stardew_valley/strings/animal_product_names.py +++ b/worlds/stardew_valley/strings/animal_product_names.py @@ -1,24 +1,30 @@ class AnimalProduct: any_egg = "Any Egg" - chicken_egg = "Chicken Egg" - egg = "Egg" brown_egg = "Egg (Brown)" - large_egg = "Large Egg" - large_brown_egg = "Large Egg (Brown)" - milk = "Milk" - large_milk = "Large Milk" + chicken_egg = "Chicken Egg" cow_milk = "Cow Milk" - wool = "Wool" - goat_milk = "Goat Milk" - large_goat_milk = "Large Goat Milk" + dinosaur_egg = "Dinosaur Egg" duck_egg = "Duck Egg" duck_feather = "Duck Feather" - void_egg = "Void Egg" - truffle = "Truffle" + egg = "Egg" + goat_milk = "Goat Milk" + golden_egg = "Golden Egg" + large_brown_egg = "Large Egg (Brown)" + large_egg = "Large Egg" + large_goat_milk = "Large Goat Milk" + large_milk = "Large Milk" + milk = "Milk" + ostrich_egg = "Ostrich Egg" rabbit_foot = "Rabbit's Foot" roe = "Roe" - sturgeon_roe = "Sturgeon Roe" - ostrich_egg = "Ostrich Egg" - dinosaur_egg = "Dinosaur Egg" + slime_egg_blue = "Blue Slime Egg" + slime_egg_green = "Green Slime Egg" + slime_egg_purple = "Purple Slime Egg" + slime_egg_red = "Red Slime Egg" + slime_egg_tiger = "Tiger Slime Egg" squid_ink = "Squid Ink" + sturgeon_roe = "Sturgeon Roe" + truffle = "Truffle" + void_egg = "Void Egg" + wool = "Wool" diff --git a/worlds/stardew_valley/strings/ap_names/ap_weapon_names.py b/worlds/stardew_valley/strings/ap_names/ap_weapon_names.py new file mode 100644 index 000000000000..7fcd6873761c --- /dev/null +++ b/worlds/stardew_valley/strings/ap_names/ap_weapon_names.py @@ -0,0 +1,7 @@ +class APWeapon: + weapon = "Progressive Weapon" + sword = "Progressive Sword" + club = "Progressive Club" + dagger = "Progressive Dagger" + slingshot = "Progressive Slingshot" + footwear = "Progressive Footwear" diff --git a/worlds/stardew_valley/strings/ap_names/community_upgrade_names.py b/worlds/stardew_valley/strings/ap_names/community_upgrade_names.py new file mode 100644 index 000000000000..68dad8e75287 --- /dev/null +++ b/worlds/stardew_valley/strings/ap_names/community_upgrade_names.py @@ -0,0 +1,4 @@ +class CommunityUpgrade: + fruit_bats = "Fruit Bats" + mushroom_boxes = "Mushroom Boxes" + movie_theater = "Progressive Movie Theater" diff --git a/worlds/stardew_valley/strings/ap_names/event_names.py b/worlds/stardew_valley/strings/ap_names/event_names.py new file mode 100644 index 000000000000..08b9d8f8131c --- /dev/null +++ b/worlds/stardew_valley/strings/ap_names/event_names.py @@ -0,0 +1,6 @@ +class Event: + victory = "Victory" + can_construct_buildings = "Can Construct Buildings" + start_dark_talisman_quest = "Start Dark Talisman Quest" + can_ship_items = "Can Ship Items" + can_shop_at_pierre = "Can Shop At Pierre's" diff --git a/worlds/stardew_valley/strings/ap_names/mods/mod_items.py b/worlds/stardew_valley/strings/ap_names/mods/mod_items.py new file mode 100644 index 000000000000..ccc2765544a6 --- /dev/null +++ b/worlds/stardew_valley/strings/ap_names/mods/mod_items.py @@ -0,0 +1,50 @@ +from typing import List + + +class DeepWoodsItem: + pendant_community = "Pendant of Community" + pendant_elder = "Pendant of Elders" + pendant_depths = "Pendant of Depths" + obelisk_sigil = "Progressive Woods Obelisk Sigils" + + +class SkillLevel: + luck = "Luck Level" + archaeology = "Archaeology Level" + + +class SVEQuestItem: + aurora_vineyard_tablet = "Aurora Vineyard Tablet" + iridium_bomb = "Iridium Bomb" + void_soul = "Void Spirit Peace Agreement" + kittyfish_spell = "Kittyfish Spell" + scarlett_job_offer = "Scarlett's Job Offer" + morgan_schooling = "Morgan's Schooling" + diamond_wand = "Diamond Wand" + marlon_boat_paddle = "Marlon's Boat Paddle" + fable_reef_portal = "Fable Reef Portal" + grandpa_shed = "Grandpa's Shed" + + sve_quest_items: List[str] = [aurora_vineyard_tablet, iridium_bomb, void_soul, kittyfish_spell, scarlett_job_offer, morgan_schooling, grandpa_shed] + sve_quest_items_ginger_island: List[str] = [marlon_boat_paddle, fable_reef_portal] + + +class SVELocation: + tempered_galaxy_sword = "Tempered Galaxy Sword" + tempered_galaxy_hammer = "Tempered Galaxy Hammer" + tempered_galaxy_dagger = "Tempered Galaxy Dagger" + diamond_wand = "Lance's Diamond Wand" + monster_crops = "Monster Crops" + + +class SVERunes: + nexus_guild = "Nexus: Adventurer's Guild Runes" + nexus_junimo = "Nexus: Junimo Woods Runes" + nexus_outpost = "Nexus: Outpost Runes" + nexus_aurora = "Nexus: Aurora Vineyard Runes" + nexus_spring = "Nexus: Sprite Spring Runes" + nexus_farm = "Nexus: Farm Runes" + nexus_wizard = "Nexus: Wizard Runes" + + nexus_items: List[str] = [nexus_farm, nexus_wizard, nexus_spring, nexus_aurora, nexus_guild, nexus_junimo, nexus_outpost] + diff --git a/worlds/stardew_valley/strings/artisan_good_names.py b/worlds/stardew_valley/strings/artisan_good_names.py index 469644d95fd3..a017cff1f9dd 100644 --- a/worlds/stardew_valley/strings/artisan_good_names.py +++ b/worlds/stardew_valley/strings/artisan_good_names.py @@ -21,3 +21,7 @@ class ArtisanGood: caviar = "Caviar" green_tea = "Green Tea" mead = "Mead" + + +class ModArtisanGood: + pterodactyl_egg = "Pterodactyl Egg" diff --git a/worlds/stardew_valley/strings/bundle_names.py b/worlds/stardew_valley/strings/bundle_names.py new file mode 100644 index 000000000000..de8d8af3877f --- /dev/null +++ b/worlds/stardew_valley/strings/bundle_names.py @@ -0,0 +1,80 @@ +class CCRoom: + pantry = "Pantry" + crafts_room = "Crafts Room" + fish_tank = "Fish Tank" + bulletin_board = "Bulletin Board" + vault = "Vault" + boiler_room = "Boiler Room" + abandoned_joja_mart = "Abandoned Joja Mart" + + +class BundleName: + spring_foraging = "Spring Foraging Bundle" + summer_foraging = "Summer Foraging Bundle" + fall_foraging = "Fall Foraging Bundle" + winter_foraging = "Winter Foraging Bundle" + construction = "Construction Bundle" + exotic_foraging = "Exotic Foraging Bundle" + beach_foraging = "Beach Foraging Bundle" + mines_foraging = "Mines Foraging Bundle" + desert_foraging = "Desert Foraging Bundle" + island_foraging = "Island Foraging Bundle" + sticky = "Sticky Bundle" + wild_medicine = "Wild Medicine Bundle" + quality_foraging = "Quality Foraging Bundle" + spring_crops = "Spring Crops Bundle" + summer_crops = "Summer Crops Bundle" + fall_crops = "Fall Crops Bundle" + quality_crops = "Quality Crops Bundle" + animal = "Animal Bundle" + artisan = "Artisan Bundle" + rare_crops = "Rare Crops Bundle" + fish_farmer = "Fish Farmer's Bundle" + garden = "Garden Bundle" + brewer = "Brewer's Bundle" + orchard = "Orchard Bundle" + island_crops = "Island Crops Bundle" + agronomist = "Agronomist's Bundle" + slime_farmer = "Slime Farmer Bundle" + river_fish = "River Fish Bundle" + lake_fish = "Lake Fish Bundle" + ocean_fish = "Ocean Fish Bundle" + night_fish = "Night Fishing Bundle" + crab_pot = "Crab Pot Bundle" + trash = "Trash Bundle" + recycling = "Recycling Bundle" + specialty_fish = "Specialty Fish Bundle" + spring_fish = "Spring Fishing Bundle" + summer_fish = "Summer Fishing Bundle" + fall_fish = "Fall Fishing Bundle" + winter_fish = "Winter Fishing Bundle" + rain_fish = "Rain Fishing Bundle" + quality_fish = "Quality Fish Bundle" + master_fisher = "Master Fisher's Bundle" + legendary_fish = "Legendary Fish Bundle" + island_fish = "Island Fish Bundle" + deep_fishing = "Deep Fishing Bundle" + tackle = "Tackle Bundle" + bait = "Master Baiter Bundle" + blacksmith = "Blacksmith's Bundle" + geologist = "Geologist's Bundle" + adventurer = "Adventurer's Bundle" + treasure_hunter = "Treasure Hunter's Bundle" + engineer = "Engineer's Bundle" + demolition = "Demolition Bundle" + paleontologist = "Paleontologist's Bundle" + archaeologist = "Archaeologist's Bundle" + chef = "Chef's Bundle" + dye = "Dye Bundle" + field_research = "Field Research Bundle" + fodder = "Fodder Bundle" + enchanter = "Enchanter's Bundle" + children = "Children's Bundle" + forager = "Forager's Bundle" + home_cook = "Home Cook's Bundle" + bartender = "Bartender's Bundle" + gambler = "Gambler's Bundle" + carnival = "Carnival Bundle" + walnut_hunter = "Walnut Hunter Bundle" + qi_helper = "Qi's Helper Bundle" + missing_bundle = "The Missing Bundle" diff --git a/worlds/stardew_valley/strings/craftable_names.py b/worlds/stardew_valley/strings/craftable_names.py index a1ee15b12fde..74a77a8e9467 100644 --- a/worlds/stardew_valley/strings/craftable_names.py +++ b/worlds/stardew_valley/strings/craftable_names.py @@ -1,16 +1,185 @@ -class Craftable: - bait = "Bait" +class Bomb: cherry_bomb = "Cherry Bomb" bomb = "Bomb" mega_bomb = "Mega Bomb" - staircase = "Staircase" - scarecrow = "Scarecrow" - rain_totem = "Rain Totem" - flute_block = "Flute Block" + + +class Fence: + gate = "Gate" + wood = "Wood Fence" + stone = "Stone Fence" + iron = "Iron Fence" + hardwood = "Hardwood Fence" + + +class Sprinkler: + basic = "Sprinkler" + quality = "Quality Sprinkler" + iridium = "Iridium Sprinkler" + + +class WildSeeds: + spring = "Spring Seeds" + summer = "Summer Seeds" + fall = "Fall Seeds" + winter = "Winter Seeds" + ancient = "Ancient Seeds" + grass_starter = "Grass Starter" + tea_sapling = "Tea Sapling" + fiber = "Fiber Seeds" + + +class Floor: + wood = "Wood Floor" + rustic = "Rustic Plank Floor" + straw = "Straw Floor" + weathered = "Weathered Floor" + crystal = "Crystal Floor" + stone = "Stone Floor" + stone_walkway = "Stone Walkway Floor" + brick = "Brick Floor" + wood_path = "Wood Path" + gravel_path = "Gravel Path" + cobblestone_path = "Cobblestone Path" + stepping_stone_path = "Stepping Stone Path" + crystal_path = "Crystal Path" + + +class Fishing: + spinner = "Spinner" + trap_bobber = "Trap Bobber" + cork_bobber = "Cork Bobber" + quality_bobber = "Quality Bobber" + treasure_hunter = "Treasure Hunter" + dressed_spinner = "Dressed Spinner" + barbed_hook = "Barbed Hook" + magnet = "Magnet" + bait = "Bait" + wild_bait = "Wild Bait" + magic_bait = "Magic Bait" + lead_bobber = "Lead Bobber" + curiosity_lure = "Curiosity Lure" + + +class Ring: + hot_java_ring = "Hot Java Ring" + sturdy_ring = "Sturdy Ring" + warrior_ring = "Warrior Ring" + ring_of_yoba = "Ring of Yoba" + thorns_ring = "Thorns Ring" + glowstone_ring = "Glowstone Ring" + iridium_band = "Iridium Band" + wedding_ring = "Wedding Ring" + + +class Edible: + field_snack = "Field Snack" + bug_steak = "Bug Steak" life_elixir = "Life Elixir" - monster_musk = "Monster Musk" oil_of_garlic = "Oil of Garlic" +class Consumable: + monster_musk = "Monster Musk" + fairy_dust = "Fairy Dust" + warp_totem_beach = "Warp Totem: Beach" + warp_totem_mountains = "Warp Totem: Mountains" + warp_totem_farm = "Warp Totem: Farm" + warp_totem_desert = "Warp Totem: Desert" + warp_totem_island = "Warp Totem: Island" + rain_totem = "Rain Totem" + + +class Lighting: + torch = "Torch" + campfire = "Campfire" + wooden_brazier = "Wooden Brazier" + stone_brazier = "Stone Brazier" + gold_brazier = "Gold Brazier" + carved_brazier = "Carved Brazier" + stump_brazier = "Stump Brazier" + barrel_brazier = "Barrel Brazier" + skull_brazier = "Skull Brazier" + marble_brazier = "Marble Brazier" + wood_lamp_post = "Wood Lamp-post" + iron_lamp_post = "Iron Lamp-post" + jack_o_lantern = "Jack-O-Lantern" + + +class Furniture: + tub_o_flowers = "Tub o' Flowers" + wicked_statue = "Wicked Statue" + flute_block = "Flute Block" + drum_block = "Drum Block" + + +class Storage: + chest = "Chest" + stone_chest = "Stone Chest" + + +class Sign: + wood = "Wood Sign" + stone = "Stone Sign" + dark = "Dark Sign" + + +class Craftable: + garden_pot = "Garden Pot" + scarecrow = "Scarecrow" + deluxe_scarecrow = "Deluxe Scarecrow" + staircase = "Staircase" + explosive_ammo = "Explosive Ammo" + transmute_fe = "Transmute (Fe)" + transmute_au = "Transmute (Au)" + mini_jukebox = "Mini-Jukebox" + mini_obelisk = "Mini-Obelisk" + farm_computer = "Farm Computer" + hopper = "Hopper" + cookout_kit = "Cookout Kit" + + +class ModEdible: + magic_elixir = "Magic Elixir" + aegis_elixir = "Aegis Elixir" + armor_elixir = "Armor Elixir" + barbarian_elixir = "Barbarian Elixir" + lightning_elixir = "Lightning Elixir" + gravity_elixir = "Gravity Elixir" + hero_elixir = "Hero Elixir" + haste_elixir = "Haste Elixir" + + +class ModCraftable: + travel_core = "Travel Core" + glass_bazier = "Glass Bazier" + water_shifter = "Water Shifter" + glass_fence = "Glass Fence" + wooden_display = "Wooden Display" + hardwood_display = "Hardwood Display" + neanderthal_skeleton = "Neanderthal Skeleton" + pterodactyl_skeleton_l = "Pterodactyl Skeleton L" + pterodactyl_skeleton_m = "Pterodactyl Skeleton M" + pterodactyl_skeleton_r = "Pterodactyl Skeleton R" + trex_skeleton_l = "T-Rex Skeleton L" + trex_skeleton_m = "T-Rex Skeleton M" + trex_skeleton_r = "T-Rex Skeleton R" + + +class ModMachine: + preservation_chamber = "Preservation Chamber" + hardwood_preservation_chamber = "Hardwood Preservation Chamber" + grinder = "Grinder" + ancient_battery = "Ancient Battery Production Station" + + +class ModFloor: + glass_path = "Glass Path" + bone_path = "Bone Path" + + +class ModConsumable: + volcano_totem = "Dwarf Gadget: Infinite Volcano Simulation" + ginger_tincture = "Ginger Tincture" diff --git a/worlds/stardew_valley/strings/crop_names.py b/worlds/stardew_valley/strings/crop_names.py index 2b5ea4d32768..295e40005f75 100644 --- a/worlds/stardew_valley/strings/crop_names.py +++ b/worlds/stardew_valley/strings/crop_names.py @@ -13,6 +13,7 @@ def fruity(name: str) -> str: class Fruit: + sweet_gem_berry = fruity("Sweet Gem Berry") any = "Any Fruit" blueberry = fruity("Blueberry") melon = fruity("Melon") @@ -38,6 +39,7 @@ class Vegetable: any = "Any Vegetable" parsnip = veggie("Parsnip") garlic = veggie("Garlic") + bok_choy = "Bok Choy" wheat = "Wheat" potato = veggie("Potato") corn = veggie("Corn") @@ -57,3 +59,24 @@ class Vegetable: yam = veggie("Yam") radish = veggie("Radish") taro_root = veggie("Taro Root") + + +class SVEFruit: + slime_berry = "Slime Berry" + monster_fruit = "Monster Fruit" + salal_berry = "Salal Berry" + + +class SVEVegetable: + monster_mushroom = "Monster Mushroom" + void_root = "Void Root" + ancient_fiber = "Ancient Fiber" + + +class DistantLandsCrop: + void_mint = "Void Mint Leaves" + vile_ancient_fruit = "Vile Ancient Fruit" + + +all_vegetables = tuple(all_vegetables) +all_fruits = tuple(all_fruits) diff --git a/worlds/stardew_valley/strings/currency_names.py b/worlds/stardew_valley/strings/currency_names.py new file mode 100644 index 000000000000..5192466c9ca7 --- /dev/null +++ b/worlds/stardew_valley/strings/currency_names.py @@ -0,0 +1,13 @@ +class Currency: + qi_coin = "Qi Coin" + golden_walnut = "Golden Walnut" + qi_gem = "Qi Gem" + star_token = "Star Token" + money = "Money" + cinder_shard = "Cinder Shard" + + @staticmethod + def is_currency(item: str) -> bool: + return item in [Currency.qi_coin, Currency.golden_walnut, Currency.qi_gem, Currency.star_token, Currency.money] + + diff --git a/worlds/stardew_valley/strings/decoration_names.py b/worlds/stardew_valley/strings/decoration_names.py new file mode 100644 index 000000000000..150a106c6a20 --- /dev/null +++ b/worlds/stardew_valley/strings/decoration_names.py @@ -0,0 +1,2 @@ +class Decoration: + rotten_plant = "Rotten Plant" diff --git a/worlds/stardew_valley/strings/entrance_names.py b/worlds/stardew_valley/strings/entrance_names.py index e744400cfbd5..00823d62ea07 100644 --- a/worlds/stardew_valley/strings/entrance_names.py +++ b/worlds/stardew_valley/strings/entrance_names.py @@ -2,6 +2,10 @@ def dig_to_mines_floor(floor: int) -> str: return f"Dig to The Mines - Floor {floor}" +def dig_to_dangerous_mines_floor(floor: int) -> str: + return f"Dig to the Dangerous Mines - Floor {floor}" + + def dig_to_skull_floor(floor: int) -> str: return f"Mine to Skull Cavern Floor {floor}" @@ -22,6 +26,10 @@ class Entrance: farm_to_forest = "Farm to Forest" farm_to_farmcave = "Farm to Farmcave" enter_greenhouse = "Farm to Greenhouse" + enter_coop = "Farm to Coop" + enter_barn = "Farm to Barn" + enter_shed = "Farm to Shed" + enter_slime_hutch = "Farm to Slime Hutch" use_desert_obelisk = "Use Desert Obelisk" use_island_obelisk = "Use Island Obelisk" use_farm_obelisk = "Use Farm Obelisk" @@ -35,6 +43,13 @@ class Entrance: forest_to_leah_cottage = "Forest to Leah's Cottage" forest_to_sewer = "Forest to Sewer" buy_from_traveling_merchant = "Buy from Traveling Merchant" + buy_from_traveling_merchant_sunday = "Buy from Traveling Merchant Sunday" + buy_from_traveling_merchant_monday = "Buy from Traveling Merchant Monday" + buy_from_traveling_merchant_tuesday = "Buy from Traveling Merchant Tuesday" + buy_from_traveling_merchant_wednesday = "Buy from Traveling Merchant Wednesday" + buy_from_traveling_merchant_thursday = "Buy from Traveling Merchant Thursday" + buy_from_traveling_merchant_friday = "Buy from Traveling Merchant Friday" + buy_from_traveling_merchant_saturday = "Buy from Traveling Merchant Saturday" mountain_to_railroad = "Mountain to Railroad" mountain_to_tent = "Mountain to Tent" mountain_to_carpenter_shop = "Mountain to Carpenter Shop" @@ -63,6 +78,9 @@ class Entrance: town_to_clint_blacksmith = "Town to Clint's Blacksmith" town_to_museum = "Town to Museum" town_to_jojamart = "Town to JojaMart" + purchase_movie_ticket = "Purchase Movie Ticket" + enter_abandoned_jojamart = "Enter Abandoned Joja Mart" + enter_movie_theater = "Enter Movie Theater" beach_to_willy_fish_shop = "Beach to Willy's Fish Shop" fish_shop_to_boat_tunnel = "Fish Shop to Boat Tunnel" boat_to_ginger_island = "Take the Boat to Ginger Island" @@ -101,6 +119,7 @@ class Entrance: mine_to_skull_cavern_floor_150 = dig_to_skull_floor(150) mine_to_skull_cavern_floor_175 = dig_to_skull_floor(175) mine_to_skull_cavern_floor_200 = dig_to_skull_floor(200) + enter_dangerous_skull_cavern = "Enter the Dangerous Skull Cavern" talk_to_mines_dwarf = "Talk to Mines Dwarf" dig_to_mines_floor_5 = dig_to_mines_floor(5) dig_to_mines_floor_10 = dig_to_mines_floor(10) @@ -126,6 +145,9 @@ class Entrance: dig_to_mines_floor_110 = dig_to_mines_floor(110) dig_to_mines_floor_115 = dig_to_mines_floor(115) dig_to_mines_floor_120 = dig_to_mines_floor(120) + dig_to_dangerous_mines_20 = dig_to_dangerous_mines_floor(20) + dig_to_dangerous_mines_60 = dig_to_dangerous_mines_floor(60) + dig_to_dangerous_mines_100 = dig_to_dangerous_mines_floor(100) island_south_to_west = "Island South to West" island_south_to_north = "Island South to North" island_south_to_east = "Island South to East" @@ -161,6 +183,26 @@ class Entrance: parrot_express_jungle_to_docks = "Parrot Express Jungle to Docks" parrot_express_dig_site_to_docks = "Parrot Express Dig Site to Docks" parrot_express_volcano_to_docks = "Parrot Express Volcano to Docks" + farmhouse_cooking = "Farmhouse Cooking" + island_cooking = "Island Cooking" + shipping = "Use Shipping Bin" + watch_queen_of_sauce = "Watch Queen of Sauce" + blacksmith_copper = "Upgrade Copper Tools" + blacksmith_iron = "Upgrade Iron Tools" + blacksmith_gold = "Upgrade Gold Tools" + blacksmith_iridium = "Upgrade Iridium Tools" + farming = "Start Farming" + fishing = "Start Fishing" + attend_egg_festival = "Attend Egg Festival" + attend_flower_dance = "Attend Flower Dance" + attend_luau = "Attend Luau" + attend_moonlight_jellies = "Attend Dance of the Moonlight Jellies" + attend_fair = "Attend Stardew Valley Fair" + attend_spirit_eve = "Attend Spirit's Eve" + attend_festival_of_ice = "Attend Festival of Ice" + attend_night_market = "Attend Night Market" + attend_winter_star = "Attend Feast of the Winter Star" + # Skull Cavern Elevator @@ -215,3 +257,103 @@ class AyeishaEntrance: class RileyEntrance: town_to_riley = "Town to Riley's House" + +class SVEEntrance: + backwoods_to_grove = "Backwoods to Enchanted Grove" + grove_to_outpost_warp = "Enchanted Grove to Grove Outpost Warp" + outpost_warp_to_outpost = "Grove Outpost Warp to Galmoran Outpost" + grove_to_wizard_warp = "Enchanted Grove to Grove Wizard Warp" + wizard_warp_to_wizard = "Grove Wizard Warp to Wizard Basement" + grove_to_aurora_warp = "Enchanted Grove to Grove Aurora Vineyard Warp" + aurora_warp_to_aurora = "Grove Aurora Vineyard Warp to Aurora Vineyard Basement" + grove_to_farm_warp = "Enchanted Grove to Grove Farm Warp" + farm_warp_to_farm = "Grove Farm Warp to Farm" + grove_to_guild_warp = "Enchanted Grove to Grove Guild Warp" + guild_warp_to_guild = "Grove Guild Warp to Guild Summit" + grove_to_junimo_warp = "Enchanted Grove to Grove Junimo Woods Warp" + junimo_warp_to_junimo = "Grove Junimo Woods Warp to Junimo Woods" + grove_to_spring_warp = "Enchanted Grove to Grove Sprite Spring Warp" + spring_warp_to_spring = "Grove Sprite Spring Warp to Sprite Spring" + wizard_to_fable_reef = "Wizard Basement to Fable Reef" + bus_stop_to_shed = "Bus Stop to Grandpa's Shed" + grandpa_shed_to_interior = "Grandpa's Shed to Grandpa's Shed Interior" + grandpa_shed_to_town = "Grandpa's Shed to Town" + grandpa_interior_to_upstairs = "Grandpa's Shed Interior to Grandpa's Shed Upstairs" + forest_to_fairhaven = "Forest to Fairhaven Farm" + forest_to_west = "Forest to Forest West" + forest_to_lost_woods = "Forest to Lost Woods" + lost_woods_to_junimo_woods = "Lost Woods to Junimo Woods" + use_purple_junimo = "Talk to Purple Junimo" + forest_to_bmv = "Forest to Blue Moon Vineyard" + forest_to_marnie_shed = "Forest to Marnie's Shed" + town_to_bmv = "Town to Blue Moon Vineyard" + town_to_jenkins = "Town to Jenkins' Residence" + town_to_bridge = "Town to Shearwater Bridge" + town_to_plot = "Town to Unclaimed Plot" + bmv_to_sophia = "Blue Moon Vineyard to Sophia's House" + bmv_to_beach = "Blue Moon Vineyard to Beach" + jenkins_to_cellar = "Jenkins' Residence to Jenkins' Cellar" + plot_to_bridge = "Unclaimed Plot to Shearwater Bridge" + mountain_to_guild_summit = "Mountain to Guild Summit" + guild_to_interior = "Guild Summit to Adventurer's Guild" + guild_to_mines = "Guild Summit to The Mines" + summit_to_boat = "Guild Summit to Marlon's Boat" + summit_to_highlands = "Guild Summit to Highlands Outside" + to_aurora_basement = "Aurora Vineyard to Aurora Vineyard Basement" + outpost_to_badlands_entrance = "Galmoran Outpost to Badlands Entrance" + use_alesia_shop = "Talk to Alesia" + use_isaac_shop = "Talk to Isaac" + badlands_entrance_to_badlands = "Badlands Entrance to Crimson Badlands" + badlands_to_cave = "Crimson Badlands to Badlands Cave" + to_susan_house = "Railroad to Susan's House" + enter_summit = "Railroad to Summit" + fable_reef_to_guild = "Fable Reef to First Slash Guild" + highlands_to_lance = "Highlands Outside to Lance's House Main" + lance_to_ladder = "Lance's House Main to Lance's House Ladder" + highlands_to_cave = "Highlands Outside to Highlands Cavern" + to_dwarf_prison = "Highlands Cavern to Highlands Cavern Prison" + lance_ladder_to_highlands = "Lance's House Ladder to Highlands Outside" + forest_west_to_spring = "Forest West to Sprite Spring" + west_to_aurora = "Forest West to Aurora Vineyard" + use_bear_shop = "Talk to Bear Shop" + secret_woods_to_west = "Secret Woods to Forest West" + to_outpost_roof = "Galmoran Outpost to Galmoran Outpost Roof" + railroad_to_grampleton_station = "Railroad to Grampleton Station" + grampleton_station_to_grampleton_suburbs = "Grampleton Station to Grampleton Suburbs" + grampleton_suburbs_to_scarlett_house = "Grampleton Suburbs to Scarlett's House" + first_slash_guild_to_hallway = "First Slash Guild to First Slash Hallway" + first_slash_hallway_to_room = "First Slash Hallway to First Slash Spare Room" + sprite_spring_to_cave = "Sprite Spring to Sprite Spring Cave" + fish_shop_to_willy_bedroom = "Willy's Fish Shop to Willy's Bedroom" + museum_to_gunther_bedroom = "Museum to Gunther's Bedroom" + + +class AlectoEntrance: + witch_hut_to_witch_attic = "Witch's Hut to Witch's Attic" + + +class LaceyEntrance: + forest_to_hat_house = "Forest to Mouse House" + + +class BoardingHouseEntrance: + bus_stop_to_boarding_house_plateau = "Bus Stop to Boarding House Outside" + boarding_house_plateau_to_boarding_house_first = "Boarding House Outside to Boarding House - First Floor" + boarding_house_first_to_boarding_house_second = "Boarding House - First Floor to Boarding House - Second Floor" + boarding_house_plateau_to_abandoned_mines_entrance = "Boarding House Outside to Abandoned Mines Entrance" + abandoned_mines_entrance_to_abandoned_mines_1a = "Abandoned Mines Entrance to Abandoned Mines - 1A" + abandoned_mines_1a_to_abandoned_mines_1b = "Abandoned Mines - 1A to Abandoned Mines - 1B" + abandoned_mines_1b_to_abandoned_mines_2a = "Abandoned Mines - 1B to Abandoned Mines - 2A" + abandoned_mines_2a_to_abandoned_mines_2b = "Abandoned Mines - 2A to Abandoned Mines - 2B" + abandoned_mines_2b_to_abandoned_mines_3 = "Abandoned Mines - 2B to Abandoned Mines - 3" + abandoned_mines_3_to_abandoned_mines_4 = "Abandoned Mines - 3 to Abandoned Mines - 4" + abandoned_mines_4_to_abandoned_mines_5 = "Abandoned Mines - 4 to Abandoned Mines - 5" + abandoned_mines_5_to_the_lost_valley = "Abandoned Mines - 5 to The Lost Valley" + lost_valley_to_lost_valley_minecart = "The Lost Valley to Lost Valley Minecart" + abandoned_mines_entrance_to_the_lost_valley = "Abandoned Mines Entrance to The Lost Valley" + the_lost_valley_to_gregory_tent = "The Lost Valley to Gregory's Tent" + the_lost_valley_to_lost_valley_ruins = "The Lost Valley to Lost Valley Ruins" + lost_valley_ruins_to_lost_valley_house_1 = "Lost Valley Ruins to Lost Valley Ruins - First House" + lost_valley_ruins_to_lost_valley_house_2 = "Lost Valley Ruins to Lost Valley Ruins - Second House" + boarding_house_plateau_to_buffalo_ranch = "Boarding House Outside to Buffalo's Ranch" + diff --git a/worlds/stardew_valley/strings/festival_check_names.py b/worlds/stardew_valley/strings/festival_check_names.py index 404878999fc7..73a9d3978eab 100644 --- a/worlds/stardew_valley/strings/festival_check_names.py +++ b/worlds/stardew_valley/strings/festival_check_names.py @@ -20,6 +20,7 @@ class FestivalCheck: moonlight_jellies = "Dance of the Moonlight Jellies" rarecrow_1 = "Rarecrow #1 (Turnip Head)" rarecrow_2 = "Rarecrow #2 (Witch)" + rarecrow_3 = "Rarecrow #3 (Alien)" rarecrow_4 = "Rarecrow #4 (Snowman)" rarecrow_5 = "Rarecrow #5 (Woman)" rarecrow_7 = "Rarecrow #7 (Tanuki)" @@ -30,3 +31,7 @@ class FestivalCheck: spirit_eve_maze = "Spirit's Eve Maze" strawberry_seeds = "Egg Festival: Strawberry Seeds" all_rarecrows = "Collect All Rarecrows" + tub_o_flowers = "Tub o' Flowers Recipe" + jack_o_lantern = "Jack-O-Lantern Recipe" + moonlight_jellies_banner = "Moonlight Jellies Banner" + starport_decal = "Starport Decal" diff --git a/worlds/stardew_valley/strings/fish_names.py b/worlds/stardew_valley/strings/fish_names.py index 8ee778103752..cd59d749ee01 100644 --- a/worlds/stardew_valley/strings/fish_names.py +++ b/worlds/stardew_valley/strings/fish_names.py @@ -1,49 +1,84 @@ class Fish: + albacore = "Albacore" + anchovy = "Anchovy" angler = "Angler" any = "Any Fish" + blob_fish = "Blobfish" blobfish = "Blobfish" blue_discus = "Blue Discus" bream = "Bream" + bullhead = "Bullhead" + carp = "Carp" catfish = "Catfish" + chub = "Chub" + clam = "Clam" + cockle = "Cockle" crab = "Crab" crayfish = "Crayfish" crimsonfish = "Crimsonfish" dorado = "Dorado" + eel = "Eel" + flounder = "Flounder" + ghostfish = "Ghostfish" glacierfish = "Glacierfish" + glacierfish_jr = "Glacierfish Jr." + halibut = "Halibut" + herring = "Herring" + ice_pip = "Ice Pip" + largemouth_bass = "Largemouth Bass" lava_eel = "Lava Eel" legend = "Legend" + legend_ii = "Legend II" + lingcod = "Lingcod" lionfish = "Lionfish" lobster = "Lobster" + midnight_carp = "Midnight Carp" + midnight_squid = "Midnight Squid" + ms_angler = "Ms. Angler" mussel = "Mussel" mussel_node = "Mussel Node" mutant_carp = "Mutant Carp" octopus = "Octopus" oyster = "Oyster" + perch = "Perch" + periwinkle = "Periwinkle" + pike = "Pike" pufferfish = "Pufferfish" + radioactive_carp = "Radioactive Carp" + rainbow_trout = "Rainbow Trout" + red_mullet = "Red Mullet" + red_snapper = "Red Snapper" + salmon = "Salmon" + sandfish = "Sandfish" + sardine = "Sardine" + scorpion_carp = "Scorpion Carp" + sea_cucumber = "Sea Cucumber" + shad = "Shad" + shrimp = "Shrimp" + slimejack = "Slimejack" + smallmouth_bass = "Smallmouth Bass" + snail = "Snail" + son_of_crimsonfish = "Son of Crimsonfish" + spook_fish = "Spook Fish" spookfish = "Spook Fish" squid = "Squid" stingray = "Stingray" + stonefish = "Stonefish" sturgeon = "Sturgeon" sunfish = "Sunfish" - void_salmon = "Void Salmon" - albacore = "Albacore" - largemouth_bass = "Largemouth Bass" - smallmouth_bass = "Smallmouth Bass" - sardine = "Sardine" - periwinkle = "Periwinkle" - shrimp = "Shrimp" - snail = "Snail" + super_cucumber = "Super Cucumber" + tiger_trout = "Tiger Trout" + tilapia = "Tilapia" tuna = "Tuna" - eel = "Eel" - salmon = "Salmon" + void_salmon = "Void Salmon" + walleye = "Walleye" + woodskip = "Woodskip" class WaterItem: seaweed = "Seaweed" green_algae = "Green Algae" white_algae = "White Algae" - clam = "Clam" - cockle = "Cockle" coral = "Coral" nautilus_shell = "Nautilus Shell" sea_urchin = "Sea Urchin" @@ -58,5 +93,44 @@ class Trash: soggy_newspaper = "Soggy Newspaper" +class WaterChest: + fishing_chest = "Fishing Chest" + treasure = "Treasure Chest" + + +class SVEFish: + baby_lunaloo = "Baby Lunaloo" + bonefish = "Bonefish" + bull_trout = "Bull Trout" + butterfish = "Butterfish" + clownfish = "Clownfish" + daggerfish = "Daggerfish" + frog = "Frog" + gemfish = "Gemfish" + goldenfish = "Goldenfish" + grass_carp = "Grass Carp" + king_salmon = "King Salmon" + kittyfish = "Kittyfish" + lunaloo = "Lunaloo" + meteor_carp = "Meteor Carp" + minnow = "Minnow" + puppyfish = "Puppyfish" + radioactive_bass = "Radioactive Bass" + seahorse = "Seahorse" + shiny_lunaloo = "Shiny Lunaloo" + snatcher_worm = "Snatcher Worm" + starfish = "Starfish" + torpedo_trout = "Torpedo Trout" + undeadfish = "Undeadfish" + void_eel = "Void Eel" + water_grub = "Water Grub" + sea_sponge = "Sea Sponge" + dulse_seaweed = "Dulse Seaweed" + +class DistantLandsFish: + void_minnow = "Void Minnow" + swamp_leech = "Swamp Leech" + purple_algae = "Purple Algae" + giant_horsehoe_crab = "Giant Horsehoe Crab" diff --git a/worlds/stardew_valley/strings/flower_names.py b/worlds/stardew_valley/strings/flower_names.py index a804682f1b55..7e708fc3c074 100644 --- a/worlds/stardew_valley/strings/flower_names.py +++ b/worlds/stardew_valley/strings/flower_names.py @@ -1,3 +1,7 @@ class Flower: - sunflower = "Sunflower" + blue_jazz = "Blue Jazz" + fairy_rose = "Fairy Rose" poppy = "Poppy" + summer_spangle = "Summer Spangle" + sunflower = "Sunflower" + tulip = "Tulip" diff --git a/worlds/stardew_valley/strings/food_names.py b/worlds/stardew_valley/strings/food_names.py index 55e3ef0a7bd3..6e2f98fd581b 100644 --- a/worlds/stardew_valley/strings/food_names.py +++ b/worlds/stardew_valley/strings/food_names.py @@ -1,67 +1,118 @@ class Meal: - blueberry_tart = "Blueberry Tart" - bread = "Bread" - fiddlehead_risotto = "Fiddlehead Risotto" - complete_breakfast = "Complete Breakfast" - fried_egg = "Fried Egg" - hashbrowns = "Hashbrowns" - pancakes = "Pancakes" - ice_cream = "Ice Cream" - maki_roll = "Maki Roll" - miners_treat = "Miner's Treat" - omelet = "Omelet" - parsnip_soup = "Parsnip Soup" - pink_cake = "Pink Cake" - pizza = "Pizza" - pumpkin_pie = "Pumpkin Pie" - roasted_hazelnuts = "Roasted Hazelnuts" - salad = "Salad" - spaghetti = "Spaghetti" - tortilla = "Tortilla" + banana_pudding = "Banana Pudding" + poi = "Poi" + mango_sticky_rice = "Mango Sticky Rice" algae_soup = "Algae Soup" artichoke_dip = "Artichoke Dip" + autumn_bounty = "Autumn's Bounty" baked_fish = "Baked Fish" bean_hotpot = "Bean Hotpot" blackberry_cobbler = "Blackberry Cobbler" + blueberry_tart = "Blueberry Tart" + bread = "Bread" + bruschetta = "Bruschetta" + carp_surprise = "Carp Surprise" cheese_cauliflower = "Cheese Cauliflower" chocolate_cake = "Chocolate Cake" chowder = "Chowder" + coleslaw = "Coleslaw" + complete_breakfast = "Complete Breakfast" + cookie = "Cookies" crab_cakes = "Crab Cakes" cranberry_candy = "Cranberry Candy" + cranberry_sauce = "Cranberry Sauce" crispy_bass = "Crispy Bass" dish_o_the_sea = "Dish O' The Sea" eggplant_parmesan = "Eggplant Parmesan" escargot = "Escargot" farmer_lunch = "Farmer's Lunch" + fiddlehead_risotto = "Fiddlehead Risotto" + fish_stew = "Fish Stew" fish_taco = "Fish Taco" fried_calamari = "Fried Calamari" fried_eel = "Fried Eel" + fried_egg = "Fried Egg" fried_mushroom = "Fried Mushroom" fruit_salad = "Fruit Salad" glazed_yams = "Glazed Yams" + hashbrowns = "Hashbrowns" + ice_cream = "Ice Cream" + lobster_bisque = "Lobster Bisque" + lucky_lunch = "Lucky Lunch" + maki_roll = "Maki Roll" maple_bar = "Maple Bar" + miners_treat = "Miner's Treat" + omelet = "Omelet" pale_broth = "Pale Broth" + pancakes = "Pancakes" + parsnip_soup = "Parsnip Soup" pepper_poppers = "Pepper Poppers" + pink_cake = "Pink Cake" + pizza = "Pizza" plum_pudding = "Plum Pudding" poppyseed_muffin = "Poppyseed Muffin" + pumpkin_pie = "Pumpkin Pie" + pumpkin_soup = "Pumpkin Soup" + radish_salad = "Radish Salad" red_plate = "Red Plate" rhubarb_pie = "Rhubarb Pie" rice_pudding = "Rice Pudding" + roasted_hazelnuts = "Roasted Hazelnuts" roots_platter = "Roots Platter" + salad = "Salad" salmon_dinner = "Salmon Dinner" sashimi = "Sashimi" + seafoam_pudding = "Seafoam Pudding" + shrimp_cocktail = "Shrimp Cocktail" + spaghetti = "Spaghetti" + spicy_eel = "Spicy Eel" + squid_ink_ravioli = "Squid Ink Ravioli" stir_fry = "Stir Fry" strange_bun = "Strange Bun" stuffing = "Stuffing" + super_meal = "Super Meal" survival_burger = "Survival Burger" + tom_kha_soup = "Tom Kha Soup" + tortilla = "Tortilla" tropical_curry = "Tropical Curry" + trout_soup = "Trout Soup" vegetable_medley = "Vegetable Medley" + magic_rock_candy = "Magic Rock Candy" class Beverage: - pina_colada = "Piña Colada" + pina_colada = "Pina Colada" ginger_ale = "Ginger Ale" coffee = "Coffee" triple_shot_espresso = "Triple Shot Espresso" beer = "Beer" joja_cola = "Joja Cola" + + +class SVEMeal: + baked_berry_oatmeal = "Baked Berry Oatmeal" + big_bark_burger = "Big Bark Burger" + flower_cookie = "Flower Cookie" + frog_legs = "Frog Legs" + glazed_butterfish = "Glazed Butterfish" + mixed_berry_pie = "Mixed Berry Pie" + mushroom_berry_rice = "Mushroom Berry Rice" + seaweed_salad = "Seaweed Salad" + void_delight = "Void Delight" + void_salmon_sushi = "Void Salmon Sushi" + grampleton_orange_chicken = "Grampleton Orange Chicken" + + +class SVEBeverage: + sports_drink = "Sports Drink" + + +class DistantLandsMeal: + mushroom_kebab = "Mushroom Kebab" + crayfish_soup = "Crayfish Soup" + pemmican = "Pemmican" + void_mint_tea = "Void Mint Tea" + + +class BoardingHouseMeal: + special_pumpkin_soup = "Special Pumpkin Soup" diff --git a/worlds/stardew_valley/strings/forageable_names.py b/worlds/stardew_valley/strings/forageable_names.py index b29ff317cf77..24127beb9838 100644 --- a/worlds/stardew_valley/strings/forageable_names.py +++ b/worlds/stardew_valley/strings/forageable_names.py @@ -14,6 +14,7 @@ class Forageable: hay = "Hay" hazelnut = "Hazelnut" holly = "Holly" + journal_scrap = "Journal Scrap" leek = "Leek" magma_cap = "Magma Cap" morel = "Morel" @@ -32,4 +33,29 @@ class Forageable: spring_onion = "Spring Onion" +class SVEForage: + ornate_treasure_chest = "Ornate Treasure Chest" + swirl_stone = "Swirl Stone" + void_pebble = "Void Pebble" + void_soul = "Void Soul" + ferngill_primrose = "Ferngill Primrose" + goldenrod = "Goldenrod" + winter_star_rose = "Winter Star Rose" + bearberrys = "Bearberrys" + poison_mushroom = "Poison Mushroom" + red_baneberry = "Red Baneberry" + big_conch = "Big Conch" + dewdrop_berry = "Dewdrop Berry" + dried_sand_dollar = "Dried Sand Dollar" + golden_ocean_flower = "Golden Ocean Flower" + lucky_four_leaf_clover = "Lucky Four Leaf Clover" + mushroom_colony = "Mushroom Colony" + poison_mushroom = "Poison Mushroom" + rusty_blade = "Rusty Blade" + smelly_rafflesia = "Smelly Rafflesia" + thistle = "Thistle" + +class DistantLandsForageable: + brown_amanita = "Brown Amanita" + swamp_herb = "Swamp Herb" diff --git a/worlds/stardew_valley/strings/gift_names.py b/worlds/stardew_valley/strings/gift_names.py index 0baf31d5dbfd..9362f453cfea 100644 --- a/worlds/stardew_valley/strings/gift_names.py +++ b/worlds/stardew_valley/strings/gift_names.py @@ -1,6 +1,14 @@ class Gift: bouquet = "Bouquet" - wilted_bouquet = "Wilted Bouquet" - pearl = "Pearl" golden_pumpkin = "Golden Pumpkin" mermaid_pendant = "Mermaid's Pendant" + movie_ticket = "Movie Ticket" + pearl = "Pearl" + tea_set = "Tea Set" + void_ghost_pendant = "Void Ghost Pendant" + wilted_bouquet = "Wilted Bouquet" + + +class SVEGift: + blue_moon_wine = "Blue Moon Wine" + aged_blue_moon_wine = "Aged Blue Moon Wine" diff --git a/worlds/stardew_valley/strings/goal_names.py b/worlds/stardew_valley/strings/goal_names.py index da8b7d847006..601b00510428 100644 --- a/worlds/stardew_valley/strings/goal_names.py +++ b/worlds/stardew_valley/strings/goal_names.py @@ -7,4 +7,11 @@ class Goal: complete_museum = "Complete the Museum Collection" full_house = "Full House" greatest_walnut_hunter = "Greatest Walnut Hunter" + protector_of_the_valley = "Protector of the Valley" + full_shipment = "Full Shipment" + gourmet_chef = "Gourmet Chef" + craft_master = "Craft Master" + legend = "Legend" + mystery_of_the_stardrops = "Mystery of the Stardrops" + allsanity = "Allsanity" perfection = "Perfection" diff --git a/worlds/stardew_valley/strings/ingredient_names.py b/worlds/stardew_valley/strings/ingredient_names.py index 22271d661587..5537c7353c42 100644 --- a/worlds/stardew_valley/strings/ingredient_names.py +++ b/worlds/stardew_valley/strings/ingredient_names.py @@ -4,3 +4,4 @@ class Ingredient: oil = "Oil" rice = "Rice" vinegar = "Vinegar" + qi_seasoning = "Qi Seasoning" diff --git a/worlds/stardew_valley/strings/machine_names.py b/worlds/stardew_valley/strings/machine_names.py index 55d6cef79401..9a388dece348 100644 --- a/worlds/stardew_valley/strings/machine_names.py +++ b/worlds/stardew_valley/strings/machine_names.py @@ -1,22 +1,29 @@ class Machine: bee_house = "Bee House" + bone_mill = "Bone Mill" cask = "Cask" charcoal_kiln = "Charcoal Kiln" cheese_press = "Cheese Press" + coffee_maker = "Coffee Maker" + crab_pot = "Crab Pot" + crystalarium = "Crystalarium" furnace = "Furnace" geode_crusher = "Geode Crusher" + heavy_tapper = "Heavy Tapper" keg = "Keg" lightning_rod = "Lightning Rod" loom = "Loom" mayonnaise_machine = "Mayonnaise Machine" oil_maker = "Oil Maker" + ostrich_incubator = "Ostrich Incubator" preserves_jar = "Preserves Jar" recycling_machine = "Recycling Machine" seed_maker = "Seed Maker" + slime_egg_press = "Slime Egg-Press" + slime_incubator = "Slime Incubator" solar_panel = "Solar Panel" tapper = "Tapper" worm_bin = "Worm Bin" - coffee_maker = "Coffee Maker" - crab_pot = "Crab Pot" - ostrich_incubator = "Ostrich Incubator" + enricher = "Enricher" + pressure_nozzle = "Pressure Nozzle" diff --git a/worlds/stardew_valley/strings/metal_names.py b/worlds/stardew_valley/strings/metal_names.py index 67aefc692a56..bf15b9d01c8e 100644 --- a/worlds/stardew_valley/strings/metal_names.py +++ b/worlds/stardew_valley/strings/metal_names.py @@ -1,3 +1,17 @@ +all_fossils = [] +all_artifacts = [] + + +def fossil(name: str): + all_fossils.append(name) + return name + + +def artifact(name: str): + all_artifacts.append(name) + return name + + class Ore: copper = "Copper Ore" iron = "Iron Ore" @@ -16,6 +30,14 @@ class MetalBar: class Mineral: + petrified_slime = "Petrified Slime" + quartz = "Quartz" + earth_crystal = "Earth Crystal" + fire_quartz = "Fire Quartz" + marble = "Marble" + prismatic_shard = "Prismatic Shard" + diamond = "Diamond" + frozen_tear = "Frozen Tear" aquamarine = "Aquamarine" topaz = "Topaz" jade = "Jade" @@ -25,11 +47,99 @@ class Mineral: class Artifact: - pass # Eventually this will be the artifact names + prehistoric_handaxe = "Prehistoric Handaxe" + dwarf_gadget = artifact("Dwarf Gadget") + ancient_seed = artifact("Ancient Seed") + glass_shards = artifact("Glass Shards") + rusty_cog = artifact("Rusty Cog") + rare_disc = artifact("Rare Disc") + ancient_doll = artifact("Ancient Doll") + ancient_drum = artifact("Ancient Drum") + ancient_sword = artifact("Ancient Sword") + arrowhead = artifact("Arrowhead") + bone_flute = artifact("Bone Flute") + chewing_stick = artifact("Chewing Stick") + chicken_statue = artifact("Chicken Statue") + anchor = artifact("Anchor") + chipped_amphora = artifact("Chipped Amphora") + dwarf_scroll_i = artifact("Dwarf Scroll I") + dwarf_scroll_ii = artifact("Dwarf Scroll II") + dwarf_scroll_iii = artifact("Dwarf Scroll III") + dwarf_scroll_iv = artifact("Dwarf Scroll IV") + dwarvish_helm = artifact("Dwarvish Helm") + elvish_jewelry = artifact("Elvish Jewelry") + golden_mask = artifact("Golden Mask") + golden_relic = artifact("Golden Relic") + ornamental_fan = artifact("Ornamental Fan") + prehistoric_hammer = artifact("Prehistoric Handaxe") + prehistoric_tool = artifact("Prehistoric Tool") + rusty_spoon = artifact("Rusty Spoon") + rusty_spur = artifact("Rusty Spur") + strange_doll_green = artifact("Strange Doll (Green)") + strange_doll = artifact("Strange Doll") class Fossil: + amphibian_fossil = fossil("Amphibian Fossil") bone_fragment = "Bone Fragment" + dinosaur_egg = fossil("Dinosaur Egg") + dried_starfish = fossil("Dried Starfish") + fossilized_leg = fossil("Fossilized Leg") + fossilized_ribs = fossil("Fossilized Ribs") + fossilized_skull = fossil("Fossilized Skull") + fossilized_spine = fossil("Fossilized Spine") + fossilized_tail = fossil("Fossilized Tail") + mummified_bat = fossil("Mummified Bat") + mummified_frog = fossil("Mummified Frog") + nautilus_fossil = fossil("Nautilus Fossil") + palm_fossil = fossil("Palm Fossil") + prehistoric_hand = fossil("Skeletal Hand") + prehistoric_rib = fossil("Prehistoric Rib") + prehistoric_scapula = fossil("Prehistoric Scapula") + prehistoric_skull = fossil("Prehistoric Skull") + prehistoric_tibia = fossil("Prehistoric Tibia") + prehistoric_vertebra = fossil("Prehistoric Vertebra") + skeletal_hand = "Skeletal Hand" + skeletal_tail = fossil("Skeletal Tail") + snake_skull = fossil("Snake Skull") + snake_vertebrae = fossil("Snake Vertebrae") + trilobite = fossil("Trilobite") + + +class ModArtifact: + ancient_hilt = "Ancient Hilt" + ancient_blade = "Ancient Blade" + mask_piece_1 = "Mask Piece 1" + mask_piece_2 = "Mask Piece 2" + mask_piece_3 = "Mask Piece 3" + ancient_doll_body = "Ancient Doll Body" + ancient_doll_legs = "Ancient Doll Legs" + prismatic_shard_piece_1 = "Prismatic Shard Piece 1" + prismatic_shard_piece_2 = "Prismatic Shard Piece 2" + prismatic_shard_piece_3 = "Prismatic Shard Piece 3" + prismatic_shard_piece_4 = "Prismatic Shard Piece 4" + chipped_amphora_piece_1 = "Chipped Amphora Piece 1" + chipped_amphora_piece_2 = "Chipped Amphora Piece 2" + +class ModFossil: + neanderthal_limb_bones = "Neanderthal Limb Bones" + neanderthal_ribs = "Neanderthal Ribs" + neanderthal_skull = "Neanderthal Skull" + neanderthal_pelvis = "Neanderthal Pelvis" + dinosaur_tooth = "Dinosaur Tooth" + dinosaur_skull = "Dinosaur Skull" + dinosaur_claw = "Dinosaur Claw" + dinosaur_femur = "Dinosaur Femur" + dinosaur_ribs = "Dinosaur Ribs" + dinosaur_pelvis = "Dinosaur Pelvis" + dinosaur_vertebra = "Dinosaur Vertebra" + pterodactyl_ribs = "Pterodactyl Ribs" + pterodactyl_skull = "Pterodactyl Skull" + pterodactyl_r_wing_bone = "Pterodactyl R Wing Bone" + pterodactyl_l_wing_bone = "Pterodactyl L Wing Bone" + pterodactyl_phalange = "Pterodactyl Phalange" + pterodactyl_vertebra = "Pterodactyl Vertebra" + pterodactyl_claw = "Pterodactyl Claw" diff --git a/worlds/stardew_valley/strings/monster_drop_names.py b/worlds/stardew_valley/strings/monster_drop_names.py index 1b9f42429d07..c42e7ad5ede0 100644 --- a/worlds/stardew_valley/strings/monster_drop_names.py +++ b/worlds/stardew_valley/strings/monster_drop_names.py @@ -1,6 +1,17 @@ class Loot: + blue_slime_egg = "Blue Slime Egg" + red_slime_egg = "Red Slime Egg" + purple_slime_egg = "Purple Slime Egg" + green_slime_egg = "Green Slime Egg" + tiger_slime_egg = "Tiger Slime Egg" slime = "Slime" bug_meat = "Bug Meat" bat_wing = "Bat Wing" solar_essence = "Solar Essence" void_essence = "Void Essence" + + +class ModLoot: + void_shard = "Void Shard" + green_mushroom = "Green Mushroom" + diff --git a/worlds/stardew_valley/strings/monster_names.py b/worlds/stardew_valley/strings/monster_names.py new file mode 100644 index 000000000000..e995d563f059 --- /dev/null +++ b/worlds/stardew_valley/strings/monster_names.py @@ -0,0 +1,67 @@ +class Monster: + green_slime = "Green Slime" + blue_slime = "Frost Jelly" + red_slime = "Sludge" # Yeah I know this is weird that these two are the same name + purple_slime = "Sludge" # Blame CA + yellow_slime = "Yellow Slime" + black_slime = "Black Slime" + copper_slime = "Copper Slime" + iron_slime = "Iron Slime" + tiger_slime = "Tiger Slime" + shadow_shaman = "Shadow Shaman" + shadow_shaman_dangerous = "Dangerous Shadow Shaman" + shadow_brute = "Shadow Brute" + shadow_brute_dangerous = "Dangerous Shadow Brute" + shadow_sniper = "Shadow Sniper" + bat = "Bat" + bat_dangerous = "Dangerous Bat" + frost_bat = "Frost Bat" + frost_bat_dangerous = "Dangerous Frost Bat" + lava_bat = "Lava Bat" + iridium_bat = "Iridium Bat" + skeleton = "Skeleton" + skeleton_dangerous = "Dangerous Skeleton" + skeleton_mage = "Skeleton Mage" + bug = "Bug" + bug_dangerous = "Dangerous Bug" + cave_fly = "Fly" + cave_fly_dangerous = "Dangerous Cave Fly" + grub = "Grub" + grub_dangerous = "Dangerous Grub" + mutant_fly = "Mutant Fly" + mutant_grub = "Mutant Grub" + armored_bug = "Armored Bug" + armored_bug_dangerous = "Armored Bug (dangerous)" + duggy = "Duggy" + duggy_dangerous = "Dangerous Duggy" + magma_duggy = "Magma Duggy" + dust_sprite = "Dust Sprite" + dust_sprite_dangerous = "Dangerous Dust Sprite" + rock_crab = "Rock Crab" + rock_crab_dangerous = "Dangerous Rock Crab" + lava_crab = "Lava Crab" + lava_crab_dangerous = "Dangerous Lava Crab" + iridium_crab = "Iridium Crab" + mummy = "Mummy" + mummy_dangerous = "Dangerous Mummy" + pepper_rex = "Pepper Rex" + serpent = "Serpent" + royal_serpent = "Royal Serpent" + magma_sprite = "Magma Sprite" + magma_sparker = "Magma Sparker" + + +class MonsterCategory: + slime = "Slimes" + void_spirits = "Void Spirits" + bats = "Bats" + skeletons = "Skeletons" + cave_insects = "Cave Insects" + duggies = "Duggies" + dust_sprites = "Dust Sprites" + rock_crabs = "Rock Crabs" + mummies = "Mummies" + pepper_rex = "Pepper Rex" + serpents = "Serpents" + magma_sprites = "Magma Sprites" + diff --git a/worlds/stardew_valley/strings/quality_names.py b/worlds/stardew_valley/strings/quality_names.py new file mode 100644 index 000000000000..740bb5a3efc2 --- /dev/null +++ b/worlds/stardew_valley/strings/quality_names.py @@ -0,0 +1,63 @@ +from typing import List + + +class CropQuality: + basic = "Basic Crop" + silver = "Silver Crop" + gold = "Gold Crop" + iridium = "Iridium Crop" + + @staticmethod + def get_highest(qualities: List[str]) -> str: + for quality in crop_qualities_in_desc_order: + if quality in qualities: + return quality + return CropQuality.basic + + +class FishQuality: + basic = "Basic Fish" + silver = "Silver Fish" + gold = "Gold Fish" + iridium = "Iridium Fish" + + @staticmethod + def get_highest(qualities: List[str]) -> str: + for quality in fish_qualities_in_desc_order: + if quality in qualities: + return quality + return FishQuality.basic + + +class ForageQuality: + basic = "Basic Forage" + silver = "Silver Forage" + gold = "Gold Forage" + iridium = "Iridium Forage" + + @staticmethod + def get_highest(qualities: List[str]) -> str: + for quality in forage_qualities_in_desc_order: + if quality in qualities: + return quality + return ForageQuality.basic + + +class ArtisanQuality: + basic = "Basic Artisan" + silver = "Silver Artisan" + gold = "Gold Artisan" + iridium = "Iridium Artisan" + + @staticmethod + def get_highest(qualities: List[str]) -> str: + for quality in artisan_qualities_in_desc_order: + if quality in qualities: + return quality + return ArtisanQuality.basic + + +crop_qualities_in_desc_order = [CropQuality.iridium, CropQuality.gold, CropQuality.silver, CropQuality.basic] +fish_qualities_in_desc_order = [FishQuality.iridium, FishQuality.gold, FishQuality.silver, FishQuality.basic] +forage_qualities_in_desc_order = [ForageQuality.iridium, ForageQuality.gold, ForageQuality.silver, ForageQuality.basic] +artisan_qualities_in_desc_order = [ArtisanQuality.iridium, ArtisanQuality.gold, ArtisanQuality.silver, ArtisanQuality.basic] diff --git a/worlds/stardew_valley/strings/quest_names.py b/worlds/stardew_valley/strings/quest_names.py index 112e40a5d84d..2c02381609ec 100644 --- a/worlds/stardew_valley/strings/quest_names.py +++ b/worlds/stardew_valley/strings/quest_names.py @@ -6,6 +6,7 @@ class Quest: raising_animals = "Raising Animals" advancement = "Advancement" archaeology = "Archaeology" + rat_problem = "Rat Problem" meet_the_wizard = "Meet The Wizard" forging_ahead = "Forging Ahead" smelting = "Smelting" @@ -49,9 +50,23 @@ class Quest: goblin_problem = "Goblin Problem" magic_ink = "Magic Ink" + class ModQuest: MrGinger = "Mr.Ginger's request" AyeishaEnvelope = "Missing Envelope" AyeishaRing = "Lost Emerald Ring" JunaCola = "Juna's Drink Request" - JunaSpaghetti = "Juna's BFF Request" \ No newline at end of file + JunaSpaghetti = "Juna's BFF Request" + RailroadBoulder = "The Railroad Boulder" + GrandpasShed = "Grandpa's Shed" + MarlonsBoat = "Marlon's Boat" + AuroraVineyard = "Aurora Vineyard" + MonsterCrops = "Monster Crops" + VoidSoul = "Void Soul Retrieval" + WizardInvite = "Wizard's Invite" + CorruptedCropsTask = "Corrupted Crops Task" + ANewPot = "A New Pot" + FancyBlanketTask = "Fancy Blanket Task" + WitchOrder = "Witch's order" + PumpkinSoup = "Pumpkin Soup" + HatMouseHat = "Hats for the Hat Mouse" diff --git a/worlds/stardew_valley/strings/region_names.py b/worlds/stardew_valley/strings/region_names.py index 9fa257114eb3..0fdab64fef68 100644 --- a/worlds/stardew_valley/strings/region_names.py +++ b/worlds/stardew_valley/strings/region_names.py @@ -4,6 +4,10 @@ class Region: farm_house = "Farmhouse" cellar = "Cellar" farm = "Farm" + coop = "Coop" + barn = "Barn" + shed = "Shed" + slime_hutch = "Slime Hutch" town = "Town" beach = "Beach" mountain = "Mountain" @@ -63,12 +67,20 @@ class Region: skull_cavern_150 = "Skull Cavern Floor 150" skull_cavern_175 = "Skull Cavern Floor 175" skull_cavern_200 = "Skull Cavern Floor 200" + dangerous_skull_cavern = "Dangerous Skull Cavern" hospital = "Hospital" carpenter = "Carpenter Shop" alex_house = "Alex's House" elliott_house = "Elliott's House" ranch = "Marnie's Ranch" traveling_cart = "Traveling Cart" + traveling_cart_sunday = "Traveling Cart Sunday" + traveling_cart_monday = "Traveling Cart Monday" + traveling_cart_tuesday = "Traveling Cart Tuesday" + traveling_cart_wednesday = "Traveling Cart Wednesday" + traveling_cart_thursday = "Traveling Cart Thursday" + traveling_cart_friday = "Traveling Cart Friday" + traveling_cart_saturday = "Traveling Cart Saturday" farm_cave = "Farmcave" greenhouse = "Greenhouse" tunnel_entrance = "Tunnel Entrance" @@ -94,6 +106,9 @@ class Region: haley_house = "Haley's House" sam_house = "Sam's House" jojamart = "JojaMart" + abandoned_jojamart = "Abandoned JojaMart" + movie_theater = "Movie Theater" + movie_ticket_stand = "Ticket Stand" fish_shop = "Willy's Fish Shop" boat_tunnel = "Boat Tunnel" tide_pools = "Tide Pools" @@ -130,6 +145,27 @@ class Region: mines_floor_110 = "The Mines - Floor 110" mines_floor_115 = "The Mines - Floor 115" mines_floor_120 = "The Mines - Floor 120" + dangerous_mines_20 = "Dangerous Mines - Floor 20" + dangerous_mines_60 = "Dangerous Mines - Floor 60" + dangerous_mines_100 = "Dangerous Mines - Floor 100" + kitchen = "Kitchen" + shipping = "Shipping" + queen_of_sauce = "The Queen of Sauce" + blacksmith_copper = "Blacksmith Copper Upgrades" + blacksmith_iron = "Blacksmith Iron Upgrades" + blacksmith_gold = "Blacksmith Gold Upgrades" + blacksmith_iridium = "Blacksmith Iridium Upgrades" + farming = "Farming" + fishing = "Fishing" + egg_festival = "Egg Festival" + flower_dance = "Flower Dance" + luau = "Luau" + moonlight_jellies = "Dance of the Moonlight Jellies" + fair = "Stardew Valley Fair" + spirit_eve = "Spirit's Eve" + festival_of_ice = "Festival of Ice" + night_market = "Night Market" + winter_star = "Feast of the Winter Star" class DeepWoodsRegion: @@ -180,3 +216,91 @@ class AyeishaRegion: class RileyRegion: riley_house = "Riley's House" + + +class SVERegion: + grandpas_shed = "Grandpa's Shed" + grandpas_shed_front_door = "Grandpa's Shed Front Door" + grandpas_shed_interior = "Grandpa's Shed Interior" + grandpas_shed_upstairs = "Grandpa's Shed Upstairs" + grove_outpost_warp = "Grove Outpost Warp" + grove_wizard_warp = "Grove Wizard Warp" + grove_farm_warp = "Grove Farm Warp" + grove_aurora_warp = "Grove Aurora Vineyard Warp" + grove_guild_warp = "Grove Guild Warp" + grove_junimo_warp = "Grove Junimo Woods Warp" + grove_spring_warp = "Grove Sprite Spring Warp" + marnies_shed = "Marnie's Shed" + fairhaven_farm = "Fairhaven Farm" + blue_moon_vineyard = "Blue Moon Vineyard" + sophias_house = "Sophia's House" + jenkins_residence = "Jenkins' Residence" + jenkins_cellar = "Jenkins' Cellar" + unclaimed_plot = "Unclaimed Plot" + shearwater = "Shearwater Bridge" + guild_summit = "Guild Summit" + fable_reef = "Fable Reef" + first_slash_guild = "First Slash Guild" + highlands_outside = "Highlands Outside" + highlands_cavern = "Highlands Cavern" + dwarf_prison = "Highlands Cavern Prison" + lances_house = "Lance's House Main" + lances_ladder = "Lance's House Ladder" + forest_west = "Forest West" + aurora_vineyard = "Aurora Vineyard" + aurora_vineyard_basement = "Aurora Vineyard Basement" + bear_shop = "Bear Shop" + sprite_spring = "Sprite Spring" + lost_woods = "Lost Woods" + junimo_woods = "Junimo Woods" + purple_junimo_shop = "Purple Junimo Shop" + enchanted_grove = "Enchanted Grove" + galmoran_outpost = "Galmoran Outpost" + badlands_entrance = "Badlands Entrance" + crimson_badlands = "Crimson Badlands" + alesia_shop = "Alesia Shop" + isaac_shop = "Isaac Shop" + summit = "Summit" + susans_house = "Susan's House" + marlon_boat = "Marlon's Boat" + badlands_cave = "Badlands Cave" + outpost_roof = "Galmoran Outpost Roof" + grampleton_station = "Grampleton Station" + grampleton_suburbs = "Grampleton Suburbs" + scarlett_house = "Scarlett's House" + first_slash_hallway = "First Slash Hallway" + first_slash_spare_room = "First Slash Spare Room" + sprite_spring_cave = "Sprite Spring Cave" + willy_bedroom = "Willy's Bedroom" + gunther_bedroom = "Gunther's Bedroom" + + +class AlectoRegion: + witch_attic = "Witch's Attic" + + +class LaceyRegion: + hat_house = "Mouse House" + + +class BoardingHouseRegion: + boarding_house_plateau = "Boarding House Outside" + boarding_house_first = "Boarding House - First Floor" + boarding_house_second = "Boarding House - Second Floor" + abandoned_mines_entrance = "Abandoned Mines Entrance" + abandoned_mines_1a = "Abandoned Mines - 1A" + abandoned_mines_1b = "Abandoned Mines - 1B" + abandoned_mines_2a = "Abandoned Mines - 2A" + abandoned_mines_2b = "Abandoned Mines - 2B" + abandoned_mines_3 = "Abandoned Mines - 3" + abandoned_mines_4 = "Abandoned Mines - 4" + abandoned_mines_5 = "Abandoned Mines - 5" + the_lost_valley = "The Lost Valley" + gregory_tent = "Gregory's Tent" + lost_valley_ruins = "Lost Valley Ruins" + lost_valley_minecart = "Lost Valley Minecart" + lost_valley_house_1 = "Lost Valley Ruins - First House" + lost_valley_house_2 = "Lost Valley Ruins - Second House" + buffalo_ranch = "Buffalo's Ranch" + + diff --git a/worlds/stardew_valley/strings/season_names.py b/worlds/stardew_valley/strings/season_names.py index 93c58fceb26c..f3659bc87fe0 100644 --- a/worlds/stardew_valley/strings/season_names.py +++ b/worlds/stardew_valley/strings/season_names.py @@ -3,4 +3,6 @@ class Season: summer = "Summer" fall = "Fall" winter = "Winter" - progressive = "Progressive Season" \ No newline at end of file + progressive = "Progressive Season" + + not_winter = (spring, summer, fall,) diff --git a/worlds/stardew_valley/strings/seed_names.py b/worlds/stardew_valley/strings/seed_names.py index 080bdf854006..398b370f2745 100644 --- a/worlds/stardew_valley/strings/seed_names.py +++ b/worlds/stardew_valley/strings/seed_names.py @@ -1,9 +1,37 @@ class Seed: - sunflower = "Sunflower Seeds" - tomato = "Tomato Seeds" - melon = "Melon Seeds" - wheat = "Wheat Seeds" + coffee = "Coffee Bean" garlic = "Garlic Seeds" + jazz = "Jazz Seeds" + melon = "Melon Seeds" + mixed = "Mixed Seeds" pineapple = "Pineapple Seeds" + poppy = "Poppy Seeds" + qi_bean = "Qi Bean" + spangle = "Spangle Seeds" + sunflower = "Sunflower Seeds" taro = "Taro Tuber" - coffee = "Coffee Bean" + tomato = "Tomato Seeds" + tulip = "Tulip Bulb" + wheat = "Wheat Seeds" + + +class TreeSeed: + acorn = "Acorn" + maple = "Maple Seed" + pine = "Pine Cone" + mahogany = "Mahogany Seed" + mushroom = "Mushroom Tree Seed" + + +class SVESeed: + stalk_seed = "Stalk Seed" + fungus_seed = "Fungus Seed" + slime_seed = "Slime Seed" + void_seed = "Void Seed" + shrub_seed = "Shrub Seed" + ancient_ferns_seed = "Ancient Ferns Seed" + + +class DistantLandsSeed: + void_mint = "Void Mint Seeds" + vile_ancient_fruit = "Vile Ancient Fruit Seeds" diff --git a/worlds/stardew_valley/strings/special_order_names.py b/worlds/stardew_valley/strings/special_order_names.py index 04eec828c0b0..9802c01532c1 100644 --- a/worlds/stardew_valley/strings/special_order_names.py +++ b/worlds/stardew_valley/strings/special_order_names.py @@ -13,7 +13,7 @@ class SpecialOrder: pierres_prime_produce = "Pierre's Prime Produce" robins_project = "Robin's Project" robins_resource_rush = "Robin's Resource Rush" - juicy_bugs_wanted_yum = "Juicy Bugs Wanted!" + juicy_bugs_wanted = "Juicy Bugs Wanted!" tropical_fish = "Tropical Fish" a_curious_substance = "A Curious Substance" prismatic_jelly = "Prismatic Jelly" @@ -31,3 +31,10 @@ class SpecialOrder: class ModSpecialOrder: junas_monster_mash = "Juna's Monster Mash" + andys_cellar = "Andy's Cellar" + a_mysterious_venture = "A Mysterious Venture" + an_elegant_reception = "An Elegant Reception" + fairy_garden = "Fairy Garden" + homemade_fertilizer = "Homemade Fertilizer" + geode_order = "Geode Order" + dwarf_scroll = "Dwarven Scrolls" diff --git a/worlds/stardew_valley/strings/spells.py b/worlds/stardew_valley/strings/spells.py index fd2a515db9ff..ef5545c56902 100644 --- a/worlds/stardew_valley/strings/spells.py +++ b/worlds/stardew_valley/strings/spells.py @@ -9,7 +9,7 @@ class MagicSpell: buff = "Spell: Buff" shockwave = "Spell: Shockwave" fireball = "Spell: Fireball" - frostbite = "Spell: Frostbite" + frostbite = "Spell: Frostbolt" teleport = "Spell: Teleport" lantern = "Spell: Lantern" tendrils = "Spell: Tendrils" diff --git a/worlds/stardew_valley/strings/villager_names.py b/worlds/stardew_valley/strings/villager_names.py index 5bf13ea8dd7e..7e87be64f1ea 100644 --- a/worlds/stardew_valley/strings/villager_names.py +++ b/worlds/stardew_valley/strings/villager_names.py @@ -46,4 +46,24 @@ class ModNPC: riley = "Riley" shiko = "Shiko" wellwick = "Wellwick" - yoba = "Yoba" \ No newline at end of file + yoba = "Yoba" + lance = "Lance" + apples = "Apples" + claire = "Claire" + olivia = "Olivia" + sophia = "Sophia" + victor = "Victor" + andy = "Andy" + gunther = "Gunther" + martin = "Martin" + marlon = "Marlon" + morgan = "Morgan" + morris = "Morris" + scarlett = "Scarlett" + susan = "Susan" + alecto = "Alecto" + goblin = "Zic" + lacey = "Lacey" + gregory = "Gregory" + sheila = "Sheila" + joel = "Joel" diff --git a/worlds/stardew_valley/strings/wallet_item_names.py b/worlds/stardew_valley/strings/wallet_item_names.py index 31026ebbaeae..00ee6dbf9efd 100644 --- a/worlds/stardew_valley/strings/wallet_item_names.py +++ b/worlds/stardew_valley/strings/wallet_item_names.py @@ -1,5 +1,9 @@ class Wallet: + iridium_snake_milk = "Iridium Snake Milk" + bears_knowledge = "Bear's Knowledge" + dwarvish_translation_guide = "Dwarvish Translation Guide" magnifying_glass = "Magnifying Glass" rusty_key = "Rusty Key" skull_key = "Skull Key" dark_talisman = "Dark Talisman" + club_card = "Club Card" diff --git a/worlds/stardew_valley/strings/weapon_names.py b/worlds/stardew_valley/strings/weapon_names.py index 009cd6df0d6f..1c3e508cfa99 100644 --- a/worlds/stardew_valley/strings/weapon_names.py +++ b/worlds/stardew_valley/strings/weapon_names.py @@ -1,4 +1,3 @@ class Weapon: slingshot = "Slingshot" master_slingshot = "Master Slingshot" - any_slingshot = "Any Slingshot" diff --git a/worlds/stardew_valley/test/TestBundles.py b/worlds/stardew_valley/test/TestBundles.py index a13829eb67ea..cd6828cd79e5 100644 --- a/worlds/stardew_valley/test/TestBundles.py +++ b/worlds/stardew_valley/test/TestBundles.py @@ -1,30 +1,29 @@ import unittest -from ..data.bundle_data import all_bundle_items, quality_crops_items +from ..data.bundle_data import all_bundle_items_except_money, quality_crops_items_thematic +from ..strings.crop_names import Fruit +from ..strings.quality_names import CropQuality class TestBundles(unittest.TestCase): def test_all_bundle_items_have_3_parts(self): - for bundle_item in all_bundle_items: - with self.subTest(bundle_item.item.name): - self.assertGreater(len(bundle_item.item.name), 0) - id = bundle_item.item.item_id - self.assertGreaterEqual(id, -1) - self.assertNotEqual(id, 0) + for bundle_item in all_bundle_items_except_money: + with self.subTest(bundle_item.item_name): + self.assertGreater(len(bundle_item.item_name), 0) self.assertGreater(bundle_item.amount, 0) - self.assertGreaterEqual(bundle_item.quality, 0) + self.assertTrue(bundle_item.quality) def test_quality_crops_have_correct_amounts(self): - for bundle_item in quality_crops_items: - with self.subTest(bundle_item.item.name): - name = bundle_item.item.name - if name == "Sweet Gem Berry" or name == "Ancient Fruit": + for bundle_item in quality_crops_items_thematic: + with self.subTest(bundle_item.item_name): + name = bundle_item.item_name + if name == Fruit.sweet_gem_berry or name == Fruit.ancient_fruit: self.assertEqual(bundle_item.amount, 1) else: self.assertEqual(bundle_item.amount, 5) def test_quality_crops_have_correct_quality(self): - for bundle_item in quality_crops_items: - with self.subTest(bundle_item.item.name): - self.assertEqual(bundle_item.quality, 2) + for bundle_item in quality_crops_items_thematic: + with self.subTest(bundle_item.item_name): + self.assertEqual(bundle_item.quality, CropQuality.gold) diff --git a/worlds/stardew_valley/test/TestDynamicGoals.py b/worlds/stardew_valley/test/TestDynamicGoals.py new file mode 100644 index 000000000000..41668e499304 --- /dev/null +++ b/worlds/stardew_valley/test/TestDynamicGoals.py @@ -0,0 +1,118 @@ +from typing import List, Tuple + +from . import SVTestBase +from .checks.world_checks import can_reach_victory +from .. import options, StardewItem +from ..strings.ap_names.ap_weapon_names import APWeapon +from ..strings.ap_names.transport_names import Transportation +from ..strings.fish_names import Fish +from ..strings.tool_names import APTool +from ..strings.wallet_item_names import Wallet + + +def collect_fishing_abilities(tester: SVTestBase): + for i in range(4): + tester.multiworld.state.collect(tester.world.create_item(APTool.fishing_rod), event=False) + tester.multiworld.state.collect(tester.world.create_item(APTool.pickaxe), event=False) + tester.multiworld.state.collect(tester.world.create_item(APTool.axe), event=False) + tester.multiworld.state.collect(tester.world.create_item(APWeapon.weapon), event=False) + for i in range(10): + tester.multiworld.state.collect(tester.world.create_item("Fishing Level"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Combat Level"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Mining Level"), event=False) + for i in range(17): + tester.multiworld.state.collect(tester.world.create_item("Progressive Mine Elevator"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Spring"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Summer"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Fall"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Winter"), event=False) + tester.multiworld.state.collect(tester.world.create_item(Transportation.desert_obelisk), event=False) + tester.multiworld.state.collect(tester.world.create_item("Railroad Boulder Removed"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Island North Turtle"), event=False) + tester.multiworld.state.collect(tester.world.create_item("Island West Turtle"), event=False) + + +def create_and_collect(tester: SVTestBase, item_name: str) -> StardewItem: + item = tester.world.create_item(item_name) + tester.multiworld.state.collect(item, event=False) + return item + + +def create_and_collect_fishing_access_items(tester: SVTestBase) -> List[Tuple[StardewItem, str]]: + items = [(create_and_collect(tester, Wallet.dark_talisman), Fish.void_salmon), + (create_and_collect(tester, Wallet.rusty_key), Fish.slimejack), + (create_and_collect(tester, "Progressive Mine Elevator"), Fish.lava_eel), + (create_and_collect(tester, Transportation.island_obelisk), Fish.lionfish), + (create_and_collect(tester, "Island Resort"), Fish.stingray)] + return items + + +def assert_item_was_necessary_for_victory(tester: SVTestBase, item: StardewItem): + tester.assertTrue(*can_reach_victory(tester.multiworld)) + tester.multiworld.state.remove(item) + tester.assertFalse(*can_reach_victory(tester.multiworld)) + tester.multiworld.state.collect(item, event=False) + tester.assertTrue(*can_reach_victory(tester.multiworld)) + + +def assert_item_was_not_necessary_for_victory(tester: SVTestBase, item: StardewItem): + tester.assertTrue(*can_reach_victory(tester.multiworld)) + tester.multiworld.state.remove(item) + tester.assertTrue(*can_reach_victory(tester.multiworld)) + tester.multiworld.state.collect(item, event=False) + tester.assertTrue(*can_reach_victory(tester.multiworld)) + + +class TestMasterAnglerNoFishsanity(SVTestBase): + options = {options.Goal.internal_name: options.Goal.option_master_angler, + options.Fishsanity.internal_name: options.Fishsanity.option_none, + options.ExcludeGingerIsland.internal_name: options.ExcludeGingerIsland.option_false} + + def test_need_all_fish_to_win(self): + collect_fishing_abilities(self) + self.assertFalse(*can_reach_victory(self.multiworld)) + critical_items = create_and_collect_fishing_access_items(self) + self.assertTrue(*can_reach_victory(self.multiworld)) + for item, fish in critical_items: + with self.subTest(f"Needed: {fish}"): + assert_item_was_necessary_for_victory(self, item) + + +class TestMasterAnglerNoFishsanityNoGingerIsland(SVTestBase): + options = {options.Goal.internal_name: options.Goal.option_master_angler, + options.Fishsanity.internal_name: options.Fishsanity.option_none, + options.ExcludeGingerIsland.internal_name: options.ExcludeGingerIsland.option_true} + + def test_need_fish_to_win(self): + collect_fishing_abilities(self) + self.assertFalse(*can_reach_victory(self.multiworld)) + items = create_and_collect_fishing_access_items(self) + self.assertTrue(*can_reach_victory(self.multiworld)) + unecessary_items = [(item, fish) for (item, fish) in items if fish in [Fish.lionfish, Fish.stingray]] + necessary_items = [(item, fish) for (item, fish) in items if (item, fish) not in unecessary_items] + for item, fish in necessary_items: + with self.subTest(f"Needed: {fish}"): + assert_item_was_necessary_for_victory(self, item) + for item, fish in unecessary_items: + with self.subTest(f"Not Needed: {fish}"): + assert_item_was_not_necessary_for_victory(self, item) + + +class TestMasterAnglerFishsanityNoHardFish(SVTestBase): + options = {options.Goal.internal_name: options.Goal.option_master_angler, + options.Fishsanity.internal_name: options.Fishsanity.option_exclude_hard_fish, + options.ExcludeGingerIsland.internal_name: options.ExcludeGingerIsland.option_false} + + def test_need_fish_to_win(self): + collect_fishing_abilities(self) + self.assertFalse(*can_reach_victory(self.multiworld)) + items = create_and_collect_fishing_access_items(self) + self.assertTrue(*can_reach_victory(self.multiworld)) + unecessary_items = [(item, fish) for (item, fish) in items if fish in [Fish.void_salmon, Fish.stingray, Fish.lava_eel]] + necessary_items = [(item, fish) for (item, fish) in items if (item, fish) not in unecessary_items] + for item, fish in necessary_items: + with self.subTest(f"Needed: {fish}"): + assert_item_was_necessary_for_victory(self, item) + for item, fish in unecessary_items: + with self.subTest(f"Not Needed: {fish}"): + assert_item_was_not_necessary_for_victory(self, item) diff --git a/worlds/stardew_valley/test/TestGeneration.py b/worlds/stardew_valley/test/TestGeneration.py index 46c6685ad536..20c5894911b2 100644 --- a/worlds/stardew_valley/test/TestGeneration.py +++ b/worlds/stardew_valley/test/TestGeneration.py @@ -1,13 +1,17 @@ import typing +from typing import List -from BaseClasses import ItemClassification, MultiWorld -from . import setup_solo_multiworld, SVTestBase, SVTestCase, allsanity_options_with_mods, \ - allsanity_options_without_mods, minimal_locations_maximal_items -from .. import locations, items, location_table, options +from BaseClasses import ItemClassification, MultiWorld, Item +from . import setup_solo_multiworld, SVTestBase, get_minsanity_options, allsanity_options_without_mods, \ + allsanity_options_with_mods, minimal_locations_maximal_items, SVTestCase, default_options, minimal_locations_maximal_items_with_island +from .. import items, location_table, options from ..data.villagers_data import all_villagers_by_name, all_villagers_by_mod_by_name -from ..items import items_by_group, Group +from ..items import Group, item_table from ..locations import LocationTags from ..mods.mod_data import ModNames +from ..options import Friendsanity, SpecialOrderLocations, Shipsanity, Chefsanity, SeasonRandomization, Craftsanity, ExcludeGingerIsland, ToolProgression, \ + FriendsanityHeartSize +from ..strings.region_names import Region def get_real_locations(tester: typing.Union[SVTestBase, SVTestCase], multiworld: MultiWorld): @@ -20,9 +24,12 @@ def get_real_location_names(tester: typing.Union[SVTestBase, SVTestCase], multiw class TestBaseItemGeneration(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.SeasonRandomization.internal_name: options.SeasonRandomization.option_progressive, - options.SpecialOrderLocations.internal_name: options.SpecialOrderLocations.option_board_qi, + Friendsanity.internal_name: Friendsanity.option_all_with_marriage, + SeasonRandomization.internal_name: SeasonRandomization.option_progressive, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, + Shipsanity.internal_name: Shipsanity.option_everything, + Chefsanity.internal_name: Chefsanity.option_all, + Craftsanity.internal_name: Craftsanity.option_all, } def test_all_progression_items_are_added_to_the_pool(self): @@ -30,13 +37,12 @@ def test_all_progression_items_are_added_to_the_pool(self): # Ignore all the stuff that the algorithm chooses one of, instead of all, to fulfill logical progression items_to_ignore = [event.name for event in items.events] items_to_ignore.extend(item.name for item in items.all_items if item.mod_name is not None) + items_to_ignore.extend(deprecated.name for deprecated in items.items_by_group[Group.DEPRECATED]) items_to_ignore.extend(season.name for season in items.items_by_group[Group.SEASON]) items_to_ignore.extend(weapon.name for weapon in items.items_by_group[Group.WEAPON]) - items_to_ignore.extend(footwear.name for footwear in items.items_by_group[Group.FOOTWEAR]) items_to_ignore.extend(baby.name for baby in items.items_by_group[Group.BABY]) items_to_ignore.extend(resource_pack.name for resource_pack in items.items_by_group[Group.RESOURCE_PACK]) - progression_items = [item for item in items.all_items if item.classification is ItemClassification.progression - and item.name not in items_to_ignore] + progression_items = [item for item in items.all_items if item.classification is ItemClassification.progression and item.name not in items_to_ignore] for progression_item in progression_items: with self.subTest(f"{progression_item.name}"): self.assertIn(progression_item.name, all_created_items) @@ -69,9 +75,12 @@ def test_does_not_create_exactly_two_items(self): class TestNoGingerIslandItemGeneration(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.SeasonRandomization.internal_name: options.SeasonRandomization.option_progressive, - options.ExcludeGingerIsland.internal_name: options.ExcludeGingerIsland.option_true + Friendsanity.internal_name: Friendsanity.option_all_with_marriage, + SeasonRandomization.internal_name: SeasonRandomization.option_progressive, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + Shipsanity.internal_name: Shipsanity.option_everything, + Chefsanity.internal_name: Chefsanity.option_all, + Craftsanity.internal_name: Craftsanity.option_all, } def test_all_progression_items_except_island_are_added_to_the_pool(self): @@ -79,12 +88,11 @@ def test_all_progression_items_except_island_are_added_to_the_pool(self): # Ignore all the stuff that the algorithm chooses one of, instead of all, to fulfill logical progression items_to_ignore = [event.name for event in items.events] items_to_ignore.extend(item.name for item in items.all_items if item.mod_name is not None) + items_to_ignore.extend(deprecated.name for deprecated in items.items_by_group[Group.DEPRECATED]) items_to_ignore.extend(season.name for season in items.items_by_group[Group.SEASON]) items_to_ignore.extend(season.name for season in items.items_by_group[Group.WEAPON]) - items_to_ignore.extend(season.name for season in items.items_by_group[Group.FOOTWEAR]) items_to_ignore.extend(baby.name for baby in items.items_by_group[Group.BABY]) - progression_items = [item for item in items.all_items if item.classification is ItemClassification.progression - and item.name not in items_to_ignore] + progression_items = [item for item in items.all_items if item.classification is ItemClassification.progression and item.name not in items_to_ignore] for progression_item in progression_items: with self.subTest(f"{progression_item.name}"): if Group.GINGER_ISLAND in progression_item.groups: @@ -118,71 +126,255 @@ def test_does_not_create_exactly_two_items(self): self.assertTrue(count == 0 or count == 2) -class TestRemixedMineRewards(SVTestBase): - def test_when_generate_world_then_one_reward_is_added_per_chest(self): - # assert self.world.create_item("Rusty Sword") in self.multiworld.itempool - self.assertTrue(any(self.world.create_item(item) in self.multiworld.itempool - for item in items_by_group[Group.MINES_FLOOR_10])) - self.assertTrue(any(self.world.create_item(item) in self.multiworld.itempool - for item in items_by_group[Group.MINES_FLOOR_20])) - self.assertIn(self.world.create_item("Slingshot"), self.multiworld.itempool) - self.assertTrue(any(self.world.create_item(item) in self.multiworld.itempool - for item in items_by_group[Group.MINES_FLOOR_50])) - self.assertTrue(any(self.world.create_item(item) in self.multiworld.itempool - for item in items_by_group[Group.MINES_FLOOR_60])) - self.assertIn(self.world.create_item("Master Slingshot"), self.multiworld.itempool) - self.assertTrue(any(self.world.create_item(item) in self.multiworld.itempool - for item in items_by_group[Group.MINES_FLOOR_80])) - self.assertTrue(any(self.world.create_item(item) in self.multiworld.itempool - for item in items_by_group[Group.MINES_FLOOR_90])) - self.assertIn(self.world.create_item("Stardrop"), self.multiworld.itempool) - self.assertTrue(any(self.world.create_item(item) in self.multiworld.itempool - for item in items_by_group[Group.MINES_FLOOR_110])) - self.assertIn(self.world.create_item("Skull Key"), self.multiworld.itempool) - - # This test has a 1/90,000 chance to fail... Sorry in advance - def test_when_generate_world_then_rewards_are_not_all_vanilla(self): - self.assertFalse(all(self.world.create_item(item) in self.multiworld.itempool - for item in - ["Leather Boots", "Steel Smallsword", "Tundra Boots", "Crystal Dagger", "Firewalker Boots", - "Obsidian Edge", "Space Boots"])) +class TestMonstersanityNone(SVTestBase): + options = {options.Monstersanity.internal_name: options.Monstersanity.option_none} + + def test_when_generate_world_then_5_generic_weapons_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Weapon"), 5) + + def test_when_generate_world_then_zero_specific_weapons_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Sword"), 0) + self.assertEqual(item_pool.count("Progressive Club"), 0) + self.assertEqual(item_pool.count("Progressive Dagger"), 0) + + def test_when_generate_world_then_2_slingshots_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Slingshot"), 2) + + def test_when_generate_world_then_3_shoes_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Footwear"), 3) + + +class TestMonstersanityGoals(SVTestBase): + options = {options.Monstersanity.internal_name: options.Monstersanity.option_goals} + + def test_when_generate_world_then_no_generic_weapons_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Weapon"), 0) + + def test_when_generate_world_then_5_specific_weapons_of_each_type_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Sword"), 5) + self.assertEqual(item_pool.count("Progressive Club"), 5) + self.assertEqual(item_pool.count("Progressive Dagger"), 5) + + def test_when_generate_world_then_2_slingshots_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Slingshot"), 2) + + def test_when_generate_world_then_4_shoes_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Footwear"), 4) + + def test_when_generate_world_then_all_monster_checks_are_inaccessible(self): + for location in get_real_locations(self, self.multiworld): + if LocationTags.MONSTERSANITY not in location_table[location.name].tags: + continue + with self.subTest(location.name): + self.assertFalse(location.can_reach(self.multiworld.state)) + + +class TestMonstersanityOnePerCategory(SVTestBase): + options = {options.Monstersanity.internal_name: options.Monstersanity.option_one_per_category} + + def test_when_generate_world_then_no_generic_weapons_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Weapon"), 0) + + def test_when_generate_world_then_5_specific_weapons_of_each_type_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Sword"), 5) + self.assertEqual(item_pool.count("Progressive Club"), 5) + self.assertEqual(item_pool.count("Progressive Dagger"), 5) + + def test_when_generate_world_then_2_slingshots_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Slingshot"), 2) + + def test_when_generate_world_then_4_shoes_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Footwear"), 4) + + def test_when_generate_world_then_all_monster_checks_are_inaccessible(self): + for location in get_real_locations(self, self.multiworld): + if LocationTags.MONSTERSANITY not in location_table[location.name].tags: + continue + with self.subTest(location.name): + self.assertFalse(location.can_reach(self.multiworld.state)) + + +class TestMonstersanityProgressive(SVTestBase): + options = {options.Monstersanity.internal_name: options.Monstersanity.option_progressive_goals} + + def test_when_generate_world_then_no_generic_weapons_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Weapon"), 0) + + def test_when_generate_world_then_5_specific_weapons_of_each_type_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Sword"), 5) + self.assertEqual(item_pool.count("Progressive Club"), 5) + self.assertEqual(item_pool.count("Progressive Dagger"), 5) + + def test_when_generate_world_then_2_slingshots_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Slingshot"), 2) + + def test_when_generate_world_then_4_shoes_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Footwear"), 4) + + def test_when_generate_world_then_many_rings_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertIn("Hot Java Ring", item_pool) + self.assertIn("Wedding Ring", item_pool) + self.assertIn("Slime Charmer Ring", item_pool) + + def test_when_generate_world_then_all_monster_checks_are_inaccessible(self): + for location in get_real_locations(self, self.multiworld): + if LocationTags.MONSTERSANITY not in location_table[location.name].tags: + continue + with self.subTest(location.name): + self.assertFalse(location.can_reach(self.multiworld.state)) + + +class TestMonstersanitySplit(SVTestBase): + options = {options.Monstersanity.internal_name: options.Monstersanity.option_split_goals} + + def test_when_generate_world_then_no_generic_weapons_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Weapon"), 0) + + def test_when_generate_world_then_5_specific_weapons_of_each_type_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Sword"), 5) + self.assertEqual(item_pool.count("Progressive Club"), 5) + self.assertEqual(item_pool.count("Progressive Dagger"), 5) + + def test_when_generate_world_then_2_slingshots_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Slingshot"), 2) + + def test_when_generate_world_then_4_shoes_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertEqual(item_pool.count("Progressive Footwear"), 4) + + def test_when_generate_world_then_many_rings_in_the_pool(self): + item_pool = [item.name for item in self.multiworld.itempool] + self.assertIn("Hot Java Ring", item_pool) + self.assertIn("Wedding Ring", item_pool) + self.assertIn("Slime Charmer Ring", item_pool) + + def test_when_generate_world_then_all_monster_checks_are_inaccessible(self): + for location in get_real_locations(self, self.multiworld): + if LocationTags.MONSTERSANITY not in location_table[location.name].tags: + continue + with self.subTest(location.name): + self.assertFalse(location.can_reach(self.multiworld.state)) class TestProgressiveElevator(SVTestBase): options = { options.ElevatorProgression.internal_name: options.ElevatorProgression.option_progressive, - options.ToolProgression.internal_name: options.ToolProgression.option_progressive, + ToolProgression.internal_name: ToolProgression.option_progressive, options.SkillProgression.internal_name: options.SkillProgression.option_progressive, } - def test_given_access_to_floor_115_when_find_another_elevator_then_has_access_to_floor_120(self): - self.collect([self.get_item_by_name("Progressive Pickaxe")] * 2) - self.collect([self.get_item_by_name("Progressive Mine Elevator")] * 22) - self.collect(self.multiworld.create_item("Bone Sword", self.player)) - self.collect([self.get_item_by_name("Combat Level")] * 4) - self.collect(self.get_item_by_name("Adventurer's Guild")) + def test_given_elevator_to_floor_105_when_find_another_elevator_then_has_access_to_floor_120(self): + items_for_115 = self.generate_items_for_mine_115() + last_elevator = self.get_item_by_name("Progressive Mine Elevator") + self.collect(items_for_115) + floor_115 = self.multiworld.get_region("The Mines - Floor 115", self.player) + floor_120 = self.multiworld.get_region("The Mines - Floor 120", self.player) - self.assertFalse(self.multiworld.get_region("The Mines - Floor 120", self.player).can_reach(self.multiworld.state)) + self.assertTrue(floor_115.can_reach(self.multiworld.state)) + self.assertFalse(floor_120.can_reach(self.multiworld.state)) - self.collect(self.get_item_by_name("Progressive Mine Elevator")) + self.collect(last_elevator) - self.assertTrue(self.multiworld.get_region("The Mines - Floor 120", self.player).can_reach(self.multiworld.state)) + self.assertTrue(floor_120.can_reach(self.multiworld.state)) - def test_given_access_to_floor_115_when_find_another_pickaxe_and_sword_then_has_access_to_floor_120(self): - self.collect([self.get_item_by_name("Progressive Pickaxe")] * 2) - self.collect([self.get_item_by_name("Progressive Mine Elevator")] * 22) - self.collect(self.multiworld.create_item("Bone Sword", self.player)) - self.collect([self.get_item_by_name("Combat Level")] * 4) - self.collect(self.get_item_by_name("Adventurer's Guild")) + def generate_items_for_mine_115(self) -> List[Item]: + pickaxes = [self.get_item_by_name("Progressive Pickaxe")] * 2 + elevators = [self.get_item_by_name("Progressive Mine Elevator")] * 21 + swords = [self.get_item_by_name("Progressive Sword")] * 3 + combat_levels = [self.get_item_by_name("Combat Level")] * 4 + mining_levels = [self.get_item_by_name("Mining Level")] * 4 + return [*combat_levels, *mining_levels, *elevators, *pickaxes, *swords] - self.assertFalse(self.multiworld.get_region("The Mines - Floor 120", self.player).can_reach(self.multiworld.state)) + def generate_items_for_extra_mine_levels(self, weapon_name: str) -> List[Item]: + last_pickaxe = self.get_item_by_name("Progressive Pickaxe") + last_weapon = self.multiworld.create_item(weapon_name, self.player) + second_last_combat_level = self.get_item_by_name("Combat Level") + last_combat_level = self.get_item_by_name("Combat Level") + second_last_mining_level = self.get_item_by_name("Mining Level") + last_mining_level = self.get_item_by_name("Mining Level") + return [last_pickaxe, last_weapon, second_last_combat_level, last_combat_level, second_last_mining_level, last_mining_level] - self.collect(self.get_item_by_name("Progressive Pickaxe")) - self.collect(self.multiworld.create_item("Steel Falchion", self.player)) - self.collect(self.get_item_by_name("Combat Level")) - self.collect(self.get_item_by_name("Combat Level")) - self.assertTrue(self.multiworld.get_region("The Mines - Floor 120", self.player).can_reach(self.multiworld.state)) +class TestSkullCavernLogic(SVTestBase): + options = { + options.ElevatorProgression.internal_name: options.ElevatorProgression.option_vanilla, + ToolProgression.internal_name: ToolProgression.option_progressive, + options.SkillProgression.internal_name: options.SkillProgression.option_progressive, + } + + def test_given_access_to_floor_115_when_find_more_tools_then_has_access_to_skull_cavern_25(self): + items_for_115 = self.generate_items_for_mine_115() + items_for_skull_50 = self.generate_items_for_skull_50() + items_for_skull_100 = self.generate_items_for_skull_100() + self.collect(items_for_115) + floor_115 = self.multiworld.get_region(Region.mines_floor_115, self.player) + skull_25 = self.multiworld.get_region(Region.skull_cavern_25, self.player) + skull_75 = self.multiworld.get_region(Region.skull_cavern_75, self.player) + + self.assertTrue(floor_115.can_reach(self.multiworld.state)) + self.assertFalse(skull_25.can_reach(self.multiworld.state)) + self.assertFalse(skull_75.can_reach(self.multiworld.state)) + + self.remove(items_for_115) + self.collect(items_for_skull_50) + + self.assertTrue(floor_115.can_reach(self.multiworld.state)) + self.assertTrue(skull_25.can_reach(self.multiworld.state)) + self.assertFalse(skull_75.can_reach(self.multiworld.state)) + + self.remove(items_for_skull_50) + self.collect(items_for_skull_100) + + self.assertTrue(floor_115.can_reach(self.multiworld.state)) + self.assertTrue(skull_25.can_reach(self.multiworld.state)) + self.assertTrue(skull_75.can_reach(self.multiworld.state)) + + def generate_items_for_mine_115(self) -> List[Item]: + pickaxes = [self.get_item_by_name("Progressive Pickaxe")] * 2 + swords = [self.get_item_by_name("Progressive Sword")] * 3 + combat_levels = [self.get_item_by_name("Combat Level")] * 4 + mining_levels = [self.get_item_by_name("Mining Level")] * 4 + bus = self.get_item_by_name("Bus Repair") + skull_key = self.get_item_by_name("Skull Key") + return [*combat_levels, *mining_levels, *pickaxes, *swords, bus, skull_key] + + def generate_items_for_skull_50(self) -> List[Item]: + pickaxes = [self.get_item_by_name("Progressive Pickaxe")] * 3 + swords = [self.get_item_by_name("Progressive Sword")] * 4 + combat_levels = [self.get_item_by_name("Combat Level")] * 6 + mining_levels = [self.get_item_by_name("Mining Level")] * 6 + bus = self.get_item_by_name("Bus Repair") + skull_key = self.get_item_by_name("Skull Key") + return [*combat_levels, *mining_levels, *pickaxes, *swords, bus, skull_key] + + def generate_items_for_skull_100(self) -> List[Item]: + pickaxes = [self.get_item_by_name("Progressive Pickaxe")] * 4 + swords = [self.get_item_by_name("Progressive Sword")] * 5 + combat_levels = [self.get_item_by_name("Combat Level")] * 8 + mining_levels = [self.get_item_by_name("Mining Level")] * 8 + bus = self.get_item_by_name("Bus Repair") + skull_key = self.get_item_by_name("Skull Key") + return [*combat_levels, *mining_levels, *pickaxes, *swords, bus, skull_key] class TestLocationGeneration(SVTestBase): @@ -199,13 +391,54 @@ def test_minimal_location_maximal_items_still_valid(self): min_max_options = minimal_locations_maximal_items() multiworld = setup_solo_multiworld(min_max_options) valid_locations = get_real_locations(self, multiworld) - self.assertGreaterEqual(len(valid_locations), len(multiworld.itempool)) + number_locations = len(valid_locations) + number_items = len([item for item in multiworld.itempool + if Group.RESOURCE_PACK not in item_table[item.name].groups and Group.TRAP not in item_table[item.name].groups]) + self.assertGreaterEqual(number_locations, number_items) + print(f"Stardew Valley - Minimum Locations: {number_locations}, Maximum Items: {number_items} [ISLAND EXCLUDED]") + + def test_minimal_location_maximal_items_with_island_still_valid(self): + min_max_options = minimal_locations_maximal_items_with_island() + multiworld = setup_solo_multiworld(min_max_options) + valid_locations = get_real_locations(self, multiworld) + number_locations = len(valid_locations) + number_items = len([item for item in multiworld.itempool + if Group.RESOURCE_PACK not in item_table[item.name].groups and Group.TRAP not in item_table[item.name].groups]) + self.assertGreaterEqual(number_locations, number_items) + print(f"Stardew Valley - Minimum Locations: {number_locations}, Maximum Items: {number_items} [ISLAND INCLUDED]") + + def test_minsanity_has_fewer_than_locations(self): + expected_locations = 76 + minsanity_options = get_minsanity_options() + multiworld = setup_solo_multiworld(minsanity_options) + real_locations = get_real_locations(self, multiworld) + number_locations = len(real_locations) + self.assertLessEqual(number_locations, expected_locations) + print(f"Stardew Valley - Minsanity Locations: {number_locations}") + if number_locations != expected_locations: + print(f"\tDisappeared Locations Detected!" + f"\n\tPlease update test_minsanity_has_fewer_than_locations" + f"\n\t\tExpected: {expected_locations}" + f"\n\t\tActual: {number_locations}") + + def test_default_settings_has_exactly_locations(self): + expected_locations = 422 + multiworld = setup_solo_multiworld(default_options()) + real_locations = get_real_locations(self, multiworld) + number_locations = len(real_locations) + print(f"Stardew Valley - Default options locations: {number_locations}") + if number_locations != expected_locations: + print(f"\tNew locations detected!" + f"\n\tPlease update test_default_settings_has_exactly_locations" + f"\n\t\tExpected: {expected_locations}" + f"\n\t\tActual: {number_locations}") def test_allsanity_without_mods_has_at_least_locations(self): - expected_locations = 994 + expected_locations = 1956 allsanity_options = allsanity_options_without_mods() multiworld = setup_solo_multiworld(allsanity_options) - number_locations = len(get_real_locations(self, multiworld)) + real_locations = get_real_locations(self, multiworld) + number_locations = len(real_locations) self.assertGreaterEqual(number_locations, expected_locations) print(f"Stardew Valley - Allsanity Locations without mods: {number_locations}") if number_locations != expected_locations: @@ -215,10 +448,11 @@ def test_allsanity_without_mods_has_at_least_locations(self): f"\n\t\tActual: {number_locations}") def test_allsanity_with_mods_has_at_least_locations(self): - expected_locations = 1246 + expected_locations = 2804 allsanity_options = allsanity_options_with_mods() multiworld = setup_solo_multiworld(allsanity_options) - number_locations = len(get_real_locations(self, multiworld)) + real_locations = get_real_locations(self, multiworld) + number_locations = len(real_locations) self.assertGreaterEqual(number_locations, expected_locations) print(f"\nStardew Valley - Allsanity Locations with all mods: {number_locations}") if number_locations != expected_locations: @@ -230,7 +464,7 @@ def test_allsanity_with_mods_has_at_least_locations(self): class TestFriendsanityNone(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_none, + Friendsanity.internal_name: Friendsanity.option_none, } @property @@ -238,31 +472,43 @@ def run_default_tests(self) -> bool: # None is default return False - def test_no_friendsanity_items(self): + def test_friendsanity_none(self): + with self.subTest("No Items"): + self.check_no_friendsanity_items() + with self.subTest("No Locations"): + self.check_no_friendsanity_locations() + + def check_no_friendsanity_items(self): for item in self.multiworld.itempool: self.assertFalse(item.name.endswith(" <3")) - def test_no_friendsanity_locations(self): + def check_no_friendsanity_locations(self): for location_name in get_real_location_names(self, self.multiworld): self.assertFalse(location_name.startswith("Friendsanity")) class TestFriendsanityBachelors(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_bachelors, - options.FriendsanityHeartSize.internal_name: 1, + Friendsanity.internal_name: Friendsanity.option_bachelors, + FriendsanityHeartSize.internal_name: 1, } bachelors = {"Harvey", "Elliott", "Sam", "Alex", "Shane", "Sebastian", "Emily", "Haley", "Leah", "Abigail", "Penny", "Maru"} - def test_friendsanity_only_bachelor_items(self): + def test_friendsanity_only_bachelors(self): + with self.subTest("Items are valid"): + self.check_only_bachelors_items() + with self.subTest("Locations are valid"): + self.check_only_bachelors_locations() + + def check_only_bachelors_items(self): suffix = " <3" for item in self.multiworld.itempool: if item.name.endswith(suffix): villager_name = item.name[:item.name.index(suffix)] self.assertIn(villager_name, self.bachelors) - def test_friendsanity_only_bachelor_locations(self): + def check_only_bachelors_locations(self): prefix = "Friendsanity: " suffix = " <3" for location_name in get_real_location_names(self, self.multiworld): @@ -278,19 +524,25 @@ def test_friendsanity_only_bachelor_locations(self): class TestFriendsanityStartingNpcs(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_starting_npcs, - options.FriendsanityHeartSize.internal_name: 1, + Friendsanity.internal_name: Friendsanity.option_starting_npcs, + FriendsanityHeartSize.internal_name: 1, } excluded_npcs = {"Leo", "Krobus", "Dwarf", "Sandy", "Kent"} - def test_friendsanity_only_starting_npcs_items(self): + def test_friendsanity_only_starting_npcs(self): + with self.subTest("Items are valid"): + self.check_only_starting_npcs_items() + with self.subTest("Locations are valid"): + self.check_only_starting_npcs_locations() + + def check_only_starting_npcs_items(self): suffix = " <3" for item in self.multiworld.itempool: if item.name.endswith(suffix): villager_name = item.name[:item.name.index(suffix)] self.assertNotIn(villager_name, self.excluded_npcs) - def test_friendsanity_only_starting_npcs_locations(self): + def check_only_starting_npcs_locations(self): prefix = "Friendsanity: " suffix = " <3" for location_name in get_real_location_names(self, self.multiworld): @@ -312,44 +564,71 @@ def test_friendsanity_only_starting_npcs_locations(self): class TestFriendsanityAllNpcs(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all, - options.FriendsanityHeartSize.internal_name: 1, + Friendsanity.internal_name: Friendsanity.option_all, + FriendsanityHeartSize.internal_name: 4, } - def test_friendsanity_all_items(self): + def test_friendsanity_all_npcs(self): + with self.subTest("Items are valid"): + self.check_items_are_valid() + with self.subTest("Correct number of items"): + self.check_correct_number_of_items() + with self.subTest("Locations are valid"): + self.check_locations_are_valid() + + def check_items_are_valid(self): suffix = " <3" for item in self.multiworld.itempool: if item.name.endswith(suffix): villager_name = item.name[:item.name.index(suffix)] self.assertTrue(villager_name in all_villagers_by_mod_by_name[ModNames.vanilla] or villager_name == "Pet") - def test_friendsanity_all_locations(self): + def check_correct_number_of_items(self): + suffix = " <3" + item_names = [item.name for item in self.multiworld.itempool] + for villager_name in all_villagers_by_mod_by_name[ModNames.vanilla]: + heart_item_name = f"{villager_name}{suffix}" + number_heart_items = item_names.count(heart_item_name) + if all_villagers_by_name[villager_name].bachelor: + self.assertEqual(number_heart_items, 2) + else: + self.assertEqual(number_heart_items, 3) + self.assertEqual(item_names.count("Pet <3"), 2) + + def check_locations_are_valid(self): prefix = "Friendsanity: " suffix = " <3" for location_name in get_real_location_names(self, self.multiworld): - if location_name.startswith(prefix): - name_no_prefix = location_name[len(prefix):] - name_trimmed = name_no_prefix[:name_no_prefix.index(suffix)] - parts = name_trimmed.split(" ") - name = parts[0] - hearts = parts[1] - self.assertTrue(name in all_villagers_by_mod_by_name[ModNames.vanilla] or name == "Pet") - if name == "Pet": - self.assertLessEqual(int(hearts), 5) - elif all_villagers_by_name[name].bachelor: - self.assertLessEqual(int(hearts), 8) - else: - self.assertLessEqual(int(hearts), 10) + if not location_name.startswith(prefix): + continue + name_no_prefix = location_name[len(prefix):] + name_trimmed = name_no_prefix[:name_no_prefix.index(suffix)] + parts = name_trimmed.split(" ") + name = parts[0] + hearts = int(parts[1]) + self.assertTrue(name in all_villagers_by_mod_by_name[ModNames.vanilla] or name == "Pet") + if name == "Pet": + self.assertTrue(hearts == 4 or hearts == 5) + elif all_villagers_by_name[name].bachelor: + self.assertTrue(hearts == 4 or hearts == 8 or hearts == 12 or hearts == 14) + else: + self.assertTrue(hearts == 4 or hearts == 8 or hearts == 10) class TestFriendsanityAllNpcsExcludingGingerIsland(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all, - options.FriendsanityHeartSize.internal_name: 1, - options.ExcludeGingerIsland.internal_name: options.ExcludeGingerIsland.option_true + Friendsanity.internal_name: Friendsanity.option_all, + FriendsanityHeartSize.internal_name: 4, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true } - def test_friendsanity_all_items(self): + def test_friendsanity_all_npcs_exclude_island(self): + with self.subTest("Items"): + self.check_items() + with self.subTest("Locations"): + self.check_locations() + + def check_items(self): suffix = " <3" for item in self.multiworld.itempool: if item.name.endswith(suffix): @@ -357,7 +636,7 @@ def test_friendsanity_all_items(self): self.assertNotEqual(villager_name, "Leo") self.assertTrue(villager_name in all_villagers_by_mod_by_name[ModNames.vanilla] or villager_name == "Pet") - def test_friendsanity_all_locations(self): + def check_locations(self): prefix = "Friendsanity: " suffix = " <3" for location_name in get_real_location_names(self, self.multiworld): @@ -377,84 +656,28 @@ def test_friendsanity_all_locations(self): self.assertLessEqual(int(hearts), 10) -class TestFriendsanityAllNpcsWithMarriage(SVTestBase): +class TestFriendsanityHeartSize3(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.FriendsanityHeartSize.internal_name: 1, + Friendsanity.internal_name: Friendsanity.option_all_with_marriage, + FriendsanityHeartSize.internal_name: 3, } - def test_friendsanity_all_with_marriage_items(self): + def test_friendsanity_all_npcs_with_marriage(self): + with self.subTest("Items are valid"): + self.check_items_are_valid() + with self.subTest("Correct number of items"): + self.check_correct_number_of_items() + with self.subTest("Locations are valid"): + self.check_locations_are_valid() + + def check_items_are_valid(self): suffix = " <3" for item in self.multiworld.itempool: if item.name.endswith(suffix): villager_name = item.name[:item.name.index(suffix)] self.assertTrue(villager_name in all_villagers_by_mod_by_name[ModNames.vanilla] or villager_name == "Pet") - def test_friendsanity_all_with_marriage_locations(self): - prefix = "Friendsanity: " - suffix = " <3" - for location_name in get_real_location_names(self, self.multiworld): - if location_name.startswith(prefix): - name_no_prefix = location_name[len(prefix):] - name_trimmed = name_no_prefix[:name_no_prefix.index(suffix)] - parts = name_trimmed.split(" ") - name = parts[0] - hearts = parts[1] - self.assertTrue(name in all_villagers_by_mod_by_name[ModNames.vanilla] or name == "Pet") - if name == "Pet": - self.assertLessEqual(int(hearts), 5) - elif all_villagers_by_name[name].bachelor: - self.assertLessEqual(int(hearts), 14) - else: - self.assertLessEqual(int(hearts), 10) - - -""" # Assuming math is correct if we check 2 points -class TestFriendsanityAllNpcsWithMarriageHeartSize2(SVTestBase): - options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.FriendsanityHeartSize.internal_name: 2, - } - - def test_friendsanity_all_with_marriage_items(self): - suffix = " <3" - item_names = [item.name for item in self.multiworld.itempool] - for villager_name in all_villagers_by_mod_by_name[ModNames.vanilla]: - heart_item_name = f"{villager_name}{suffix}" - number_heart_items = item_names.count(heart_item_name) - if all_villagers_by_name[villager_name].bachelor: - self.assertEqual(number_heart_items, 7) - else: - self.assertEqual(number_heart_items, 5) - self.assertEqual(item_names.count("Pet <3"), 3) - - def test_friendsanity_all_with_marriage_locations(self): - prefix = "Friendsanity: " - suffix = " <3" - for location_name in get_real_location_names(self, self.multiworld): - if not location_name.startswith(prefix): - continue - name_no_prefix = location_name[len(prefix):] - name_trimmed = name_no_prefix[:name_no_prefix.index(suffix)] - parts = name_trimmed.split(" ") - name = parts[0] - hearts = int(parts[1]) - self.assertTrue(name in all_villagers_by_mod_by_name[ModNames.vanilla] or name == "Pet") - if name == "Pet": - self.assertTrue(hearts == 2 or hearts == 4 or hearts == 5) - elif all_villagers_by_name[name].bachelor: - self.assertTrue(hearts == 2 or hearts == 4 or hearts == 6 or hearts == 8 or hearts == 10 or hearts == 12 or hearts == 14) - else: - self.assertTrue(hearts == 2 or hearts == 4 or hearts == 6 or hearts == 8 or hearts == 10) - - -class TestFriendsanityAllNpcsWithMarriageHeartSize3(SVTestBase): - options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.FriendsanityHeartSize.internal_name: 3, - } - - def test_friendsanity_all_with_marriage_items(self): + def check_correct_number_of_items(self): suffix = " <3" item_names = [item.name for item in self.multiworld.itempool] for villager_name in all_villagers_by_mod_by_name[ModNames.vanilla]: @@ -466,7 +689,7 @@ def test_friendsanity_all_with_marriage_items(self): self.assertEqual(number_heart_items, 4) self.assertEqual(item_names.count("Pet <3"), 2) - def test_friendsanity_all_with_marriage_locations(self): + def check_locations_are_valid(self): prefix = "Friendsanity: " suffix = " <3" for location_name in get_real_location_names(self, self.multiworld): @@ -486,52 +709,28 @@ def test_friendsanity_all_with_marriage_locations(self): self.assertTrue(hearts == 3 or hearts == 6 or hearts == 9 or hearts == 10) -class TestFriendsanityAllNpcsWithMarriageHeartSize4(SVTestBase): +class TestFriendsanityHeartSize5(SVTestBase): options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.FriendsanityHeartSize.internal_name: 4, + Friendsanity.internal_name: Friendsanity.option_all_with_marriage, + FriendsanityHeartSize.internal_name: 5, } - def test_friendsanity_all_with_marriage_items(self): - suffix = " <3" - item_names = [item.name for item in self.multiworld.itempool] - for villager_name in all_villagers_by_mod_by_name[ModNames.vanilla]: - heart_item_name = f"{villager_name}{suffix}" - number_heart_items = item_names.count(heart_item_name) - if all_villagers_by_name[villager_name].bachelor: - self.assertEqual(number_heart_items, 4) - else: - self.assertEqual(number_heart_items, 3) - self.assertEqual(item_names.count("Pet <3"), 2) + def test_friendsanity_all_npcs_with_marriage(self): + with self.subTest("Items are valid"): + self.check_items_are_valid() + with self.subTest("Correct number of items"): + self.check_correct_number_of_items() + with self.subTest("Locations are valid"): + self.check_locations_are_valid() - def test_friendsanity_all_with_marriage_locations(self): - prefix = "Friendsanity: " + def check_items_are_valid(self): suffix = " <3" - for location_name in get_real_location_names(self, self.multiworld): - if not location_name.startswith(prefix): - continue - name_no_prefix = location_name[len(prefix):] - name_trimmed = name_no_prefix[:name_no_prefix.index(suffix)] - parts = name_trimmed.split(" ") - name = parts[0] - hearts = int(parts[1]) - self.assertTrue(name in all_villagers_by_mod_by_name[ModNames.vanilla] or name == "Pet") - if name == "Pet": - self.assertTrue(hearts == 4 or hearts == 5) - elif all_villagers_by_name[name].bachelor: - self.assertTrue(hearts == 4 or hearts == 8 or hearts == 12 or hearts == 14) - else: - self.assertTrue(hearts == 4 or hearts == 8 or hearts == 10) -""" - - -class TestFriendsanityAllNpcsWithMarriageHeartSize5(SVTestBase): - options = { - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.FriendsanityHeartSize.internal_name: 5, - } + for item in self.multiworld.itempool: + if item.name.endswith(suffix): + villager_name = item.name[:item.name.index(suffix)] + self.assertTrue(villager_name in all_villagers_by_mod_by_name[ModNames.vanilla] or villager_name == "Pet") - def test_friendsanity_all_with_marriage_items(self): + def check_correct_number_of_items(self): suffix = " <3" item_names = [item.name for item in self.multiworld.itempool] for villager_name in all_villagers_by_mod_by_name[ModNames.vanilla]: @@ -543,7 +742,7 @@ def test_friendsanity_all_with_marriage_items(self): self.assertEqual(number_heart_items, 2) self.assertEqual(item_names.count("Pet <3"), 1) - def test_friendsanity_all_with_marriage_locations(self): + def check_locations_are_valid(self): prefix = "Friendsanity: " suffix = " <3" for location_name in get_real_location_names(self, self.multiworld): @@ -561,3 +760,341 @@ def test_friendsanity_all_with_marriage_locations(self): self.assertTrue(hearts == 5 or hearts == 10 or hearts == 14) else: self.assertTrue(hearts == 5 or hearts == 10) + + +class TestShipsanityNone(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_none + } + + def test_no_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event: + with self.subTest(location.name): + self.assertFalse("Shipsanity" in location.name) + self.assertNotIn(LocationTags.SHIPSANITY, location_table[location.name].tags) + + +class TestShipsanityCrops(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_crops, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi + } + + def test_only_crop_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_CROP, location_table[location.name].tags) + + def test_include_island_crop_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Banana", location_names) + self.assertIn("Shipsanity: Mango", location_names) + self.assertIn("Shipsanity: Pineapple", location_names) + self.assertIn("Shipsanity: Taro Root", location_names) + self.assertIn("Shipsanity: Ginger", location_names) + self.assertIn("Shipsanity: Magma Cap", location_names) + self.assertIn("Shipsanity: Qi Fruit", location_names) + + +class TestShipsanityCropsExcludeIsland(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_crops, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true + } + + def test_only_crop_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_CROP, location_table[location.name].tags) + + def test_only_mainland_crop_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertNotIn("Shipsanity: Banana", location_names) + self.assertNotIn("Shipsanity: Mango", location_names) + self.assertNotIn("Shipsanity: Pineapple", location_names) + self.assertNotIn("Shipsanity: Taro Root", location_names) + self.assertNotIn("Shipsanity: Ginger", location_names) + self.assertNotIn("Shipsanity: Magma Cap", location_names) + self.assertNotIn("Shipsanity: Qi Fruit", location_names) + + +class TestShipsanityCropsNoQiCropWithoutSpecialOrders(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_crops, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_only + } + + def test_only_crop_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_CROP, location_table[location.name].tags) + + def test_island_crops_without_qi_fruit_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Banana", location_names) + self.assertIn("Shipsanity: Mango", location_names) + self.assertIn("Shipsanity: Pineapple", location_names) + self.assertIn("Shipsanity: Taro Root", location_names) + self.assertIn("Shipsanity: Ginger", location_names) + self.assertIn("Shipsanity: Magma Cap", location_names) + self.assertNotIn("Shipsanity: Qi Fruit", location_names) + + +class TestShipsanityFish(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_fish, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi + } + + def test_only_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + def test_include_island_fish_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Blue Discus", location_names) + self.assertIn("Shipsanity: Lionfish", location_names) + self.assertIn("Shipsanity: Stingray", location_names) + self.assertIn("Shipsanity: Glacierfish Jr.", location_names) + self.assertIn("Shipsanity: Legend II", location_names) + self.assertIn("Shipsanity: Ms. Angler", location_names) + self.assertIn("Shipsanity: Radioactive Carp", location_names) + self.assertIn("Shipsanity: Son of Crimsonfish", location_names) + + +class TestShipsanityFishExcludeIsland(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_fish, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true + } + + def test_only_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + def test_exclude_island_fish_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertNotIn("Shipsanity: Blue Discus", location_names) + self.assertNotIn("Shipsanity: Lionfish", location_names) + self.assertNotIn("Shipsanity: Stingray", location_names) + self.assertNotIn("Shipsanity: Glacierfish Jr.", location_names) + self.assertNotIn("Shipsanity: Legend II", location_names) + self.assertNotIn("Shipsanity: Ms. Angler", location_names) + self.assertNotIn("Shipsanity: Radioactive Carp", location_names) + self.assertNotIn("Shipsanity: Son of Crimsonfish", location_names) + + +class TestShipsanityFishExcludeQiOrders(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_fish, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_only + } + + def test_only_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + def test_include_island_fish_no_extended_family_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Blue Discus", location_names) + self.assertIn("Shipsanity: Lionfish", location_names) + self.assertIn("Shipsanity: Stingray", location_names) + self.assertNotIn("Shipsanity: Glacierfish Jr.", location_names) + self.assertNotIn("Shipsanity: Legend II", location_names) + self.assertNotIn("Shipsanity: Ms. Angler", location_names) + self.assertNotIn("Shipsanity: Radioactive Carp", location_names) + self.assertNotIn("Shipsanity: Son of Crimsonfish", location_names) + + +class TestShipsanityFullShipment(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi + } + + def test_only_full_shipment_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_FULL_SHIPMENT, location_table[location.name].tags) + self.assertNotIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + def test_include_island_items_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Cinder Shard", location_names) + self.assertIn("Shipsanity: Bone Fragment", location_names) + self.assertIn("Shipsanity: Radioactive Ore", location_names) + self.assertIn("Shipsanity: Radioactive Bar", location_names) + self.assertIn("Shipsanity: Banana", location_names) + self.assertIn("Shipsanity: Mango", location_names) + self.assertIn("Shipsanity: Pineapple", location_names) + self.assertIn("Shipsanity: Taro Root", location_names) + self.assertIn("Shipsanity: Ginger", location_names) + self.assertIn("Shipsanity: Magma Cap", location_names) + + +class TestShipsanityFullShipmentExcludeIsland(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true + } + + def test_only_full_shipment_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_FULL_SHIPMENT, location_table[location.name].tags) + self.assertNotIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + def test_exclude_island_items_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertNotIn("Shipsanity: Cinder Shard", location_names) + self.assertNotIn("Shipsanity: Radioactive Ore", location_names) + self.assertNotIn("Shipsanity: Radioactive Bar", location_names) + self.assertNotIn("Shipsanity: Banana", location_names) + self.assertNotIn("Shipsanity: Mango", location_names) + self.assertNotIn("Shipsanity: Pineapple", location_names) + self.assertNotIn("Shipsanity: Taro Root", location_names) + self.assertNotIn("Shipsanity: Ginger", location_names) + self.assertNotIn("Shipsanity: Magma Cap", location_names) + + +class TestShipsanityFullShipmentExcludeQiBoard(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_disabled + } + + def test_only_full_shipment_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertIn(LocationTags.SHIPSANITY_FULL_SHIPMENT, location_table[location.name].tags) + self.assertNotIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + def test_exclude_qi_board_items_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Cinder Shard", location_names) + self.assertIn("Shipsanity: Bone Fragment", location_names) + self.assertNotIn("Shipsanity: Radioactive Ore", location_names) + self.assertNotIn("Shipsanity: Radioactive Bar", location_names) + self.assertIn("Shipsanity: Banana", location_names) + self.assertIn("Shipsanity: Mango", location_names) + self.assertIn("Shipsanity: Pineapple", location_names) + self.assertIn("Shipsanity: Taro Root", location_names) + self.assertIn("Shipsanity: Ginger", location_names) + self.assertIn("Shipsanity: Magma Cap", location_names) + + +class TestShipsanityFullShipmentWithFish(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment_with_fish, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi + } + + def test_only_full_shipment_and_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertTrue(LocationTags.SHIPSANITY_FULL_SHIPMENT in location_table[location.name].tags or + LocationTags.SHIPSANITY_FISH in location_table[location.name].tags) + + def test_include_island_items_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Cinder Shard", location_names) + self.assertIn("Shipsanity: Bone Fragment", location_names) + self.assertIn("Shipsanity: Radioactive Ore", location_names) + self.assertIn("Shipsanity: Radioactive Bar", location_names) + self.assertIn("Shipsanity: Banana", location_names) + self.assertIn("Shipsanity: Mango", location_names) + self.assertIn("Shipsanity: Pineapple", location_names) + self.assertIn("Shipsanity: Taro Root", location_names) + self.assertIn("Shipsanity: Ginger", location_names) + self.assertIn("Shipsanity: Magma Cap", location_names) + self.assertIn("Shipsanity: Blue Discus", location_names) + self.assertIn("Shipsanity: Lionfish", location_names) + self.assertIn("Shipsanity: Stingray", location_names) + self.assertIn("Shipsanity: Glacierfish Jr.", location_names) + self.assertIn("Shipsanity: Legend II", location_names) + self.assertIn("Shipsanity: Ms. Angler", location_names) + self.assertIn("Shipsanity: Radioactive Carp", location_names) + self.assertIn("Shipsanity: Son of Crimsonfish", location_names) + + +class TestShipsanityFullShipmentWithFishExcludeIsland(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment_with_fish, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true + } + + def test_only_full_shipment_and_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertTrue(LocationTags.SHIPSANITY_FULL_SHIPMENT in location_table[location.name].tags or + LocationTags.SHIPSANITY_FISH in location_table[location.name].tags) + + def test_exclude_island_items_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertNotIn("Shipsanity: Cinder Shard", location_names) + self.assertNotIn("Shipsanity: Radioactive Ore", location_names) + self.assertNotIn("Shipsanity: Radioactive Bar", location_names) + self.assertNotIn("Shipsanity: Banana", location_names) + self.assertNotIn("Shipsanity: Mango", location_names) + self.assertNotIn("Shipsanity: Pineapple", location_names) + self.assertNotIn("Shipsanity: Taro Root", location_names) + self.assertNotIn("Shipsanity: Ginger", location_names) + self.assertNotIn("Shipsanity: Magma Cap", location_names) + self.assertNotIn("Shipsanity: Blue Discus", location_names) + self.assertNotIn("Shipsanity: Lionfish", location_names) + self.assertNotIn("Shipsanity: Stingray", location_names) + self.assertNotIn("Shipsanity: Glacierfish Jr.", location_names) + self.assertNotIn("Shipsanity: Legend II", location_names) + self.assertNotIn("Shipsanity: Ms. Angler", location_names) + self.assertNotIn("Shipsanity: Radioactive Carp", location_names) + self.assertNotIn("Shipsanity: Son of Crimsonfish", location_names) + + +class TestShipsanityFullShipmentWithFishExcludeQiBoard(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment_with_fish, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_only + } + + def test_only_full_shipment_and_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + with self.subTest(location.name): + self.assertTrue(LocationTags.SHIPSANITY_FULL_SHIPMENT in location_table[location.name].tags or + LocationTags.SHIPSANITY_FISH in location_table[location.name].tags) + + def test_exclude_qi_board_items_shipsanity_locations(self): + location_names = [location.name for location in self.multiworld.get_locations(self.player)] + self.assertIn("Shipsanity: Cinder Shard", location_names) + self.assertIn("Shipsanity: Bone Fragment", location_names) + self.assertNotIn("Shipsanity: Radioactive Ore", location_names) + self.assertNotIn("Shipsanity: Radioactive Bar", location_names) + self.assertIn("Shipsanity: Banana", location_names) + self.assertIn("Shipsanity: Mango", location_names) + self.assertIn("Shipsanity: Pineapple", location_names) + self.assertIn("Shipsanity: Taro Root", location_names) + self.assertIn("Shipsanity: Ginger", location_names) + self.assertIn("Shipsanity: Magma Cap", location_names) + self.assertIn("Shipsanity: Blue Discus", location_names) + self.assertIn("Shipsanity: Lionfish", location_names) + self.assertIn("Shipsanity: Stingray", location_names) + self.assertNotIn("Shipsanity: Glacierfish Jr.", location_names) + self.assertNotIn("Shipsanity: Legend II", location_names) + self.assertNotIn("Shipsanity: Ms. Angler", location_names) + self.assertNotIn("Shipsanity: Radioactive Carp", location_names) + self.assertNotIn("Shipsanity: Son of Crimsonfish", location_names) diff --git a/worlds/stardew_valley/test/TestItemLink.py b/worlds/stardew_valley/test/TestItemLink.py index f55ab8ca347d..39bf553cab2d 100644 --- a/worlds/stardew_valley/test/TestItemLink.py +++ b/worlds/stardew_valley/test/TestItemLink.py @@ -9,7 +9,7 @@ class TestItemLinksEverythingIncluded(SVTestBase): options.TrapItems.internal_name: options.TrapItems.option_medium} def test_filler_of_all_types_generated(self): - max_number_filler = 115 + max_number_filler = 114 filler_generated = [] at_least_one_trap = False at_least_one_island = False @@ -60,7 +60,7 @@ class TestItemLinksNoTraps(SVTestBase): options.TrapItems.internal_name: options.TrapItems.option_no_traps} def test_filler_has_no_traps_but_has_island(self): - max_number_filler = 100 + max_number_filler = 99 filler_generated = [] at_least_one_island = False for i in range(0, max_iterations): diff --git a/worlds/stardew_valley/test/TestItems.py b/worlds/stardew_valley/test/TestItems.py index 38f59c74904f..8887450e8e7a 100644 --- a/worlds/stardew_valley/test/TestItems.py +++ b/worlds/stardew_valley/test/TestItems.py @@ -6,9 +6,13 @@ from typing import Set from BaseClasses import ItemClassification, MultiWorld -from . import setup_solo_multiworld, SVTestCase, allsanity_options_without_mods +from . import setup_solo_multiworld, SVTestCase, allsanity_options_without_mods, SVTestBase from .. import ItemData, StardewValleyWorld from ..items import Group, item_table +from ..options import Friendsanity, SeasonRandomization + +all_seasons = ["Spring", "Summer", "Fall", "Winter"] +all_farms = ["Standard Farm", "Riverland Farm", "Forest Farm", "Hill-top Farm", "Wilderness Farm", "Four Corners Farm", "Beach Farm"] class TestItems(SVTestCase): @@ -33,12 +37,13 @@ def test_items_table_footprint_is_between_717000_and_737000(self): def test_babies_come_in_all_shapes_and_sizes(self): baby_permutations = set() + options = {Friendsanity.internal_name: Friendsanity.option_bachelors} for attempt_number in range(50): if len(baby_permutations) >= 4: print(f"Already got all 4 baby permutations, breaking early [{attempt_number} generations]") break seed = random.randrange(sys.maxsize) - multiworld = setup_solo_multiworld(seed=seed) + multiworld = setup_solo_multiworld(options, seed=seed) baby_items = [item for item in multiworld.get_items() if "Baby" in item.name] self.assertEqual(len(baby_items), 2) baby_permutations.add(f"{baby_items[0]} - {baby_items[1]}") @@ -49,4 +54,39 @@ def test_correct_number_of_stardrops(self): allsanity_options = allsanity_options_without_mods() multiworld = setup_solo_multiworld(allsanity_options, seed=seed) stardrop_items = [item for item in multiworld.get_items() if "Stardrop" in item.name] - self.assertEqual(len(stardrop_items), 5) + self.assertEqual(len(stardrop_items), 7) + + def test_no_duplicate_rings(self): + seed = random.randrange(sys.maxsize) + allsanity_options = allsanity_options_without_mods() + multiworld = setup_solo_multiworld(allsanity_options, seed=seed) + ring_items = [item.name for item in multiworld.get_items() if Group.RING in item_table[item.name].groups] + self.assertEqual(len(ring_items), len(set(ring_items))) + + def test_can_start_in_any_season(self): + starting_seasons_rolled = set() + options = {SeasonRandomization.internal_name: SeasonRandomization.option_randomized} + for attempt_number in range(50): + if len(starting_seasons_rolled) >= 4: + print(f"Already got all 4 starting seasons, breaking early [{attempt_number} generations]") + break + seed = random.randrange(sys.maxsize) + multiworld = setup_solo_multiworld(options, seed=seed) + starting_season_items = [item for item in multiworld.precollected_items[1] if item.name in all_seasons] + season_items = [item for item in multiworld.get_items() if item.name in all_seasons] + self.assertEqual(len(starting_season_items), 1) + self.assertEqual(len(season_items), 3) + starting_seasons_rolled.add(f"{starting_season_items[0]}") + self.assertEqual(len(starting_seasons_rolled), 4) + + def test_can_start_on_any_farm(self): + starting_farms_rolled = set() + for attempt_number in range(60): + if len(starting_farms_rolled) >= 7: + print(f"Already got all 7 farm types, breaking early [{attempt_number} generations]") + break + seed = random.randrange(sys.maxsize) + multiworld = setup_solo_multiworld(seed=seed) + starting_farm = multiworld.worlds[1].fill_slot_data()["farm_type"] + starting_farms_rolled.add(starting_farm) + self.assertEqual(len(starting_farms_rolled), 7) diff --git a/worlds/stardew_valley/test/TestLogic.py b/worlds/stardew_valley/test/TestLogic.py index 7965d05b57be..d2af6cac88c2 100644 --- a/worlds/stardew_valley/test/TestLogic.py +++ b/worlds/stardew_valley/test/TestLogic.py @@ -1,11 +1,10 @@ import unittest -from test.general import setup_solo_multiworld -from .. import StardewValleyWorld, StardewLocation -from ..data.bundle_data import BundleItem, all_bundle_items_except_money +from . import setup_solo_multiworld, allsanity_options_with_mods +from ..data.bundle_data import all_bundle_items_except_money from ..stardew_rule import MISSING_ITEM, False_ -multi_world = setup_solo_multiworld(StardewValleyWorld) +multi_world = setup_solo_multiworld(allsanity_options_with_mods()) world = multi_world.worlds[1] logic = world.logic @@ -21,78 +20,79 @@ def collect_all(mw): class TestLogic(unittest.TestCase): def test_given_bundle_item_then_is_available_in_logic(self): for bundle_item in all_bundle_items_except_money: - with self.subTest(msg=bundle_item.item.name): - self.assertIn(bundle_item.item.name, logic.item_rules) + with self.subTest(msg=bundle_item.item_name): + self.assertIn(bundle_item.item_name, logic.registry.item_rules) def test_given_item_rule_then_can_be_resolved(self): - for item in logic.item_rules.keys(): + for item in logic.registry.item_rules.keys(): with self.subTest(msg=item): - rule = logic.item_rules[item] + rule = logic.registry.item_rules[item] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve item rule for {item} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_building_rule_then_can_be_resolved(self): - for building in logic.building_rules.keys(): + for building in logic.registry.building_rules.keys(): with self.subTest(msg=building): - rule = logic.building_rules[building] + rule = logic.registry.building_rules[building] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve building rule for {building} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_quest_rule_then_can_be_resolved(self): - for quest in logic.quest_rules.keys(): + for quest in logic.registry.quest_rules.keys(): with self.subTest(msg=quest): - rule = logic.quest_rules[quest] + rule = logic.registry.quest_rules[quest] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve quest rule for {quest} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_special_order_rule_then_can_be_resolved(self): - for special_order in logic.special_order_rules.keys(): + for special_order in logic.registry.special_order_rules.keys(): with self.subTest(msg=special_order): - rule = logic.special_order_rules[special_order] + rule = logic.registry.special_order_rules[special_order] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve special order rule for {special_order} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_tree_fruit_rule_then_can_be_resolved(self): - for tree_fruit in logic.tree_fruit_rules.keys(): + for tree_fruit in logic.registry.tree_fruit_rules.keys(): with self.subTest(msg=tree_fruit): - rule = logic.tree_fruit_rules[tree_fruit] + rule = logic.registry.tree_fruit_rules[tree_fruit] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve tree fruit rule for {tree_fruit} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_seed_rule_then_can_be_resolved(self): - for seed in logic.seed_rules.keys(): + for seed in logic.registry.seed_rules.keys(): with self.subTest(msg=seed): - rule = logic.seed_rules[seed] + rule = logic.registry.seed_rules[seed] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve seed rule for {seed} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_crop_rule_then_can_be_resolved(self): - for crop in logic.crop_rules.keys(): + for crop in logic.registry.crop_rules.keys(): with self.subTest(msg=crop): - rule = logic.crop_rules[crop] + rule = logic.registry.crop_rules[crop] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve crop rule for {crop} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_fish_rule_then_can_be_resolved(self): - for fish in logic.fish_rules.keys(): + for fish in logic.registry.fish_rules.keys(): with self.subTest(msg=fish): - rule = logic.fish_rules[fish] + rule = logic.registry.fish_rules[fish] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve fish rule for {fish} {rule}") + rule_result = rule(multi_world.state) + self.assertTrue(rule == False_() or rule_result, rule.explain(multi_world.state)) def test_given_museum_rule_then_can_be_resolved(self): - for donation in logic.museum_rules.keys(): + for donation in logic.registry.museum_rules.keys(): with self.subTest(msg=donation): - rule = logic.museum_rules[donation] + rule = logic.registry.museum_rules[donation] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve museum rule for {donation} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_cooking_rule_then_can_be_resolved(self): - for cooking_rule in logic.cooking_rules.keys(): + for cooking_rule in logic.registry.cooking_rules.keys(): with self.subTest(msg=cooking_rule): - rule = logic.cooking_rules[cooking_rule] + rule = logic.registry.cooking_rules[cooking_rule] self.assertNotIn(MISSING_ITEM, repr(rule)) - self.assertTrue(rule == False_() or rule(multi_world.state), f"Could not resolve cooking rule for {cooking_rule} {rule}") + self.assertTrue(rule == False_() or rule(multi_world.state), rule.explain(multi_world.state)) def test_given_location_rule_then_can_be_resolved(self): for location in multi_world.get_locations(1): diff --git a/worlds/stardew_valley/test/TestLogicSimplification.py b/worlds/stardew_valley/test/TestLogicSimplification.py deleted file mode 100644 index 3f02643b83dc..000000000000 --- a/worlds/stardew_valley/test/TestLogicSimplification.py +++ /dev/null @@ -1,57 +0,0 @@ -import unittest -from .. import True_ -from ..logic import Received, Has, False_, And, Or - - -class TestSimplification(unittest.TestCase): - def test_simplify_true_in_and(self): - rules = { - "Wood": True_(), - "Rock": True_(), - } - summer = Received("Summer", 0, 1) - self.assertEqual((Has("Wood", rules) & summer & Has("Rock", rules)).simplify(), - summer) - - def test_simplify_false_in_or(self): - rules = { - "Wood": False_(), - "Rock": False_(), - } - summer = Received("Summer", 0, 1) - self.assertEqual((Has("Wood", rules) | summer | Has("Rock", rules)).simplify(), - summer) - - def test_simplify_and_in_and(self): - rule = And(And(Received('Summer', 0, 1), Received('Fall', 0, 1)), - And(Received('Winter', 0, 1), Received('Spring', 0, 1))) - self.assertEqual(rule.simplify(), - And(Received('Summer', 0, 1), Received('Fall', 0, 1), - Received('Winter', 0, 1), Received('Spring', 0, 1))) - - def test_simplify_duplicated_and(self): - rule = And(And(Received('Summer', 0, 1), Received('Fall', 0, 1)), - And(Received('Summer', 0, 1), Received('Fall', 0, 1))) - self.assertEqual(rule.simplify(), - And(Received('Summer', 0, 1), Received('Fall', 0, 1))) - - def test_simplify_or_in_or(self): - rule = Or(Or(Received('Summer', 0, 1), Received('Fall', 0, 1)), - Or(Received('Winter', 0, 1), Received('Spring', 0, 1))) - self.assertEqual(rule.simplify(), - Or(Received('Summer', 0, 1), Received('Fall', 0, 1), Received('Winter', 0, 1), - Received('Spring', 0, 1))) - - def test_simplify_duplicated_or(self): - rule = And(Or(Received('Summer', 0, 1), Received('Fall', 0, 1)), - Or(Received('Summer', 0, 1), Received('Fall', 0, 1))) - self.assertEqual(rule.simplify(), - Or(Received('Summer', 0, 1), Received('Fall', 0, 1))) - - def test_simplify_true_in_or(self): - rule = Or(True_(), Received('Summer', 0, 1)) - self.assertEqual(rule.simplify(), True_()) - - def test_simplify_false_in_and(self): - rule = And(False_(), Received('Summer', 0, 1)) - self.assertEqual(rule.simplify(), False_()) diff --git a/worlds/stardew_valley/test/TestMultiplePlayers.py b/worlds/stardew_valley/test/TestMultiplePlayers.py new file mode 100644 index 000000000000..39be7d6f7ab2 --- /dev/null +++ b/worlds/stardew_valley/test/TestMultiplePlayers.py @@ -0,0 +1,92 @@ +from . import SVTestCase, setup_multiworld +from .. import True_ +from ..options import FestivalLocations, StartingMoney +from ..strings.festival_check_names import FestivalCheck + + +def get_access_rule(multiworld, player: int, location_name: str): + return multiworld.get_location(location_name, player).access_rule + + +class TestDifferentSettings(SVTestCase): + + def test_different_festival_settings(self): + options_no_festivals = {FestivalLocations.internal_name: FestivalLocations.option_disabled} + options_easy_festivals = {FestivalLocations.internal_name: FestivalLocations.option_easy} + options_hard_festivals = {FestivalLocations.internal_name: FestivalLocations.option_hard} + + multiplayer_options = [options_no_festivals, options_easy_festivals, options_hard_festivals] + multiworld = setup_multiworld(multiplayer_options) + + self.check_location_rule(multiworld, 1, FestivalCheck.egg_hunt, False) + self.check_location_rule(multiworld, 2, FestivalCheck.egg_hunt, True, False) + self.check_location_rule(multiworld, 3, FestivalCheck.egg_hunt, True, True) + + def test_different_money_settings(self): + options_no_festivals_unlimited_money = {FestivalLocations.internal_name: FestivalLocations.option_disabled, + StartingMoney.internal_name: -1} + options_no_festivals_limited_money = {FestivalLocations.internal_name: FestivalLocations.option_disabled, + StartingMoney.internal_name: 5000} + options_easy_festivals_unlimited_money = {FestivalLocations.internal_name: FestivalLocations.option_easy, + StartingMoney.internal_name: -1} + options_easy_festivals_limited_money = {FestivalLocations.internal_name: FestivalLocations.option_easy, + StartingMoney.internal_name: 5000} + options_hard_festivals_unlimited_money = {FestivalLocations.internal_name: FestivalLocations.option_hard, + StartingMoney.internal_name: -1} + options_hard_festivals_limited_money = {FestivalLocations.internal_name: FestivalLocations.option_hard, + StartingMoney.internal_name: 5000} + + multiplayer_options = [options_no_festivals_unlimited_money, options_no_festivals_limited_money, + options_easy_festivals_unlimited_money, options_easy_festivals_limited_money, + options_hard_festivals_unlimited_money, options_hard_festivals_limited_money] + multiworld = setup_multiworld(multiplayer_options) + + self.check_location_rule(multiworld, 1, FestivalCheck.rarecrow_4, False) + self.check_location_rule(multiworld, 2, FestivalCheck.rarecrow_4, False) + + self.check_location_rule(multiworld, 3, FestivalCheck.rarecrow_4, True, True) + self.check_location_rule(multiworld, 4, FestivalCheck.rarecrow_4, True, False) + + self.check_location_rule(multiworld, 5, FestivalCheck.rarecrow_4, True, True) + self.check_location_rule(multiworld, 6, FestivalCheck.rarecrow_4, True, False) + + def test_money_rule_caching(self): + options_festivals_limited_money = {FestivalLocations.internal_name: FestivalLocations.option_easy, + StartingMoney.internal_name: 5000} + options_festivals_limited_money = {FestivalLocations.internal_name: FestivalLocations.option_easy, + StartingMoney.internal_name: 5000} + + multiplayer_options = [options_festivals_limited_money, options_festivals_limited_money] + multiworld = setup_multiworld(multiplayer_options) + + player_1_rarecrow_2 = get_access_rule(multiworld, 1, FestivalCheck.rarecrow_2) + player_1_rarecrow_4 = get_access_rule(multiworld, 1, FestivalCheck.rarecrow_4) + player_2_rarecrow_2 = get_access_rule(multiworld, 2, FestivalCheck.rarecrow_2) + player_2_rarecrow_4 = get_access_rule(multiworld, 2, FestivalCheck.rarecrow_4) + + with self.subTest("Rules are not cached between players"): + self.assertNotEqual(id(player_1_rarecrow_2), id(player_2_rarecrow_2)) + self.assertNotEqual(id(player_1_rarecrow_4), id(player_2_rarecrow_4)) + + with self.subTest("Rules are cached for the same player"): + self.assertEqual(id(player_1_rarecrow_2), id(player_1_rarecrow_4)) + self.assertEqual(id(player_2_rarecrow_2), id(player_2_rarecrow_4)) + + def check_location_rule(self, multiworld, player: int, location_name: str, should_exist: bool, should_be_true: bool = False): + has = "has" if should_exist else "doesn't have" + rule = "without access rule" if should_be_true else f"with access rule" + rule_text = f" {rule}" if should_exist else "" + with self.subTest(f"Player {player} {has} {location_name}{rule_text}"): + locations = multiworld.get_locations(player) + locations_names = {location.name for location in locations} + if not should_exist: + self.assertNotIn(location_name, locations_names) + return None + + self.assertIn(location_name, locations_names) + access_rule = get_access_rule(multiworld, player, location_name) + if should_be_true: + self.assertEqual(access_rule, True_()) + else: + self.assertNotEqual(access_rule, True_()) + return access_rule diff --git a/worlds/stardew_valley/test/TestOptionFlags.py b/worlds/stardew_valley/test/TestOptionFlags.py new file mode 100644 index 000000000000..b6a2210904e1 --- /dev/null +++ b/worlds/stardew_valley/test/TestOptionFlags.py @@ -0,0 +1,106 @@ +from . import SVTestBase +from .checks.option_checks import get_stardew_world +from .. import BuildingProgression +from ..options import ToolProgression + + +class TestBitFlagsVanilla(SVTestBase): + options = {ToolProgression.internal_name: ToolProgression.option_vanilla, + BuildingProgression.internal_name: BuildingProgression.option_vanilla} + + def test_options_are_not_detected_as_progressive(self): + world_options = get_stardew_world(self.multiworld).options + tool_progressive = world_options.tool_progression & ToolProgression.option_progressive + building_progressive = world_options.building_progression & BuildingProgression.option_progressive + self.assertFalse(tool_progressive) + self.assertFalse(building_progressive) + + def test_tools_and_buildings_not_in_pool(self): + item_names = [item.name for item in self.multiworld.itempool] + self.assertNotIn("Progressive Coop", item_names) + self.assertNotIn("Progressive Pickaxe", item_names) + + +class TestBitFlagsVanillaCheap(SVTestBase): + options = {ToolProgression.internal_name: ToolProgression.option_vanilla_cheap, + BuildingProgression.internal_name: BuildingProgression.option_vanilla_cheap} + + def test_options_are_not_detected_as_progressive(self): + world_options = get_stardew_world(self.multiworld).options + tool_progressive = world_options.tool_progression & ToolProgression.option_progressive + building_progressive = world_options.building_progression & BuildingProgression.option_progressive + self.assertFalse(tool_progressive) + self.assertFalse(building_progressive) + + def test_tools_and_buildings_not_in_pool(self): + item_names = [item.name for item in self.multiworld.itempool] + self.assertNotIn("Progressive Coop", item_names) + self.assertNotIn("Progressive Pickaxe", item_names) + + +class TestBitFlagsVanillaVeryCheap(SVTestBase): + options = {ToolProgression.internal_name: ToolProgression.option_vanilla_very_cheap, + BuildingProgression.internal_name: BuildingProgression.option_vanilla_very_cheap} + + def test_options_are_not_detected_as_progressive(self): + world_options = get_stardew_world(self.multiworld).options + tool_progressive = world_options.tool_progression & ToolProgression.option_progressive + building_progressive = world_options.building_progression & BuildingProgression.option_progressive + self.assertFalse(tool_progressive) + self.assertFalse(building_progressive) + + def test_tools_and_buildings_not_in_pool(self): + item_names = [item.name for item in self.multiworld.itempool] + self.assertNotIn("Progressive Coop", item_names) + self.assertNotIn("Progressive Pickaxe", item_names) + + +class TestBitFlagsProgressive(SVTestBase): + options = {ToolProgression.internal_name: ToolProgression.option_progressive, + BuildingProgression.internal_name: BuildingProgression.option_progressive} + + def test_options_are_detected_as_progressive(self): + world_options = get_stardew_world(self.multiworld).options + tool_progressive = world_options.tool_progression & ToolProgression.option_progressive + building_progressive = world_options.building_progression & BuildingProgression.option_progressive + self.assertTrue(tool_progressive) + self.assertTrue(building_progressive) + + def test_tools_and_buildings_in_pool(self): + item_names = [item.name for item in self.multiworld.itempool] + self.assertIn("Progressive Coop", item_names) + self.assertIn("Progressive Pickaxe", item_names) + + +class TestBitFlagsProgressiveCheap(SVTestBase): + options = {ToolProgression.internal_name: ToolProgression.option_progressive_cheap, + BuildingProgression.internal_name: BuildingProgression.option_progressive_cheap} + + def test_options_are_detected_as_progressive(self): + world_options = get_stardew_world(self.multiworld).options + tool_progressive = world_options.tool_progression & ToolProgression.option_progressive + building_progressive = world_options.building_progression & BuildingProgression.option_progressive + self.assertTrue(tool_progressive) + self.assertTrue(building_progressive) + + def test_tools_and_buildings_in_pool(self): + item_names = [item.name for item in self.multiworld.itempool] + self.assertIn("Progressive Coop", item_names) + self.assertIn("Progressive Pickaxe", item_names) + + +class TestBitFlagsProgressiveVeryCheap(SVTestBase): + options = {ToolProgression.internal_name: ToolProgression.option_progressive_very_cheap, + BuildingProgression.internal_name: BuildingProgression.option_progressive_very_cheap} + + def test_options_are_detected_as_progressive(self): + world_options = get_stardew_world(self.multiworld).options + tool_progressive = world_options.tool_progression & ToolProgression.option_progressive + building_progressive = world_options.building_progression & BuildingProgression.option_progressive + self.assertTrue(tool_progressive) + self.assertTrue(building_progressive) + + def test_tools_and_buildings_in_pool(self): + item_names = [item.name for item in self.multiworld.itempool] + self.assertIn("Progressive Coop", item_names) + self.assertIn("Progressive Pickaxe", item_names) diff --git a/worlds/stardew_valley/test/TestOptions.py b/worlds/stardew_valley/test/TestOptions.py index ccffc2848a80..11329b82da29 100644 --- a/worlds/stardew_valley/test/TestOptions.py +++ b/worlds/stardew_valley/test/TestOptions.py @@ -3,10 +3,11 @@ from random import random from typing import Dict -from BaseClasses import ItemClassification, MultiWorld +from BaseClasses import MultiWorld from Options import NamedRange -from . import setup_solo_multiworld, SVTestBase, SVTestCase, allsanity_options_without_mods, allsanity_options_with_mods -from .. import StardewItem, items_by_group, Group, StardewValleyWorld +from . import setup_solo_multiworld, SVTestCase, allsanity_options_without_mods, allsanity_options_with_mods +from .checks.world_checks import basic_checks +from .. import items_by_group, Group, StardewValleyWorld from ..locations import locations_by_tag, LocationTags, location_table from ..options import ExcludeGingerIsland, ToolProgression, Goal, SeasonRandomization, TrapItems, SpecialOrderLocations, ArcadeMachineLocations from ..strings.goal_names import Goal as GoalName @@ -18,20 +19,6 @@ TOOLS = {"Hoe", "Pickaxe", "Axe", "Watering Can", "Trash Can", "Fishing Rod"} -def assert_can_win(tester: unittest.TestCase, multiworld: MultiWorld): - for item in multiworld.get_items(): - multiworld.state.collect(item) - - tester.assertTrue(multiworld.find_item("Victory", 1).can_reach(multiworld.state)) - - -def basic_checks(tester: unittest.TestCase, multiworld: MultiWorld): - tester.assertIn(StardewItem("Victory", ItemClassification.progression, None, 1), multiworld.get_items()) - assert_can_win(tester, multiworld) - non_event_locations = [location for location in multiworld.get_locations() if not location.event] - tester.assertEqual(len(multiworld.itempool), len(non_event_locations)) - - def check_no_ginger_island(tester: unittest.TestCase, multiworld: MultiWorld): ginger_island_items = [item_data.name for item_data in items_by_group[Group.GINGER_ISLAND]] ginger_island_locations = [location_data.name for location_data in locations_by_tag[LocationTags.GINGER_ISLAND]] @@ -53,7 +40,7 @@ class TestGenerateDynamicOptions(SVTestCase): def test_given_special_range_when_generate_then_basic_checks(self): options = StardewValleyWorld.options_dataclass.type_hints for option_name, option in options.items(): - if not isinstance(option, NamedRange): + if not issubclass(option, NamedRange): continue for value in option.special_range_names: with self.subTest(f"{option_name}: {value}"): @@ -62,12 +49,12 @@ def test_given_special_range_when_generate_then_basic_checks(self): basic_checks(self, multiworld) def test_given_choice_when_generate_then_basic_checks(self): - seed = int(random() * pow(10, 18) - 1) options = StardewValleyWorld.options_dataclass.type_hints for option_name, option in options.items(): if not option.options: continue for value in option.options: + seed = int(random() * pow(10, 18) - 1) with self.subTest(f"{option_name}: {value} [Seed: {seed}]"): world_options = {option_name: option.options[value]} multiworld = setup_solo_multiworld(world_options, seed) @@ -162,13 +149,14 @@ def test_given_special_range_when_generate_exclude_ginger_island(self): check_no_ginger_island(self, multiworld) def test_given_choice_when_generate_exclude_ginger_island(self): - seed = int(random() * pow(10, 18) - 1) options = StardewValleyWorld.options_dataclass.type_hints for option_name, option in options.items(): if not option.options or option_name == ExcludeGingerIsland.internal_name: continue for value in option.options: + seed = int(random() * pow(10, 18) - 1) with self.subTest(f"{option_name}: {value} [Seed: {seed}]"): + # print(seed) multiworld = setup_solo_multiworld( {ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, option_name: option.options[value]}, seed) @@ -186,7 +174,7 @@ def test_given_island_related_goal_then_override_exclude_ginger_island(self): with self.subTest(f"Goal: {goal}, {island_option.internal_name}: {value}"): multiworld = setup_solo_multiworld( {Goal.internal_name: Goal.options[goal], - island_option.internal_name: island_option.options[value]}) + island_option.internal_name: island_option.options[value]}) stardew_world: StardewValleyWorld = multiworld.worlds[self.player] self.assertEqual(stardew_world.options.exclude_ginger_island, island_option.option_false) basic_checks(self, multiworld) diff --git a/worlds/stardew_valley/test/TestOptionsPairs.py b/worlds/stardew_valley/test/TestOptionsPairs.py new file mode 100644 index 000000000000..949f9a74d7e9 --- /dev/null +++ b/worlds/stardew_valley/test/TestOptionsPairs.py @@ -0,0 +1,43 @@ +from . import SVTestBase +from .checks.world_checks import basic_checks +from ..options import Goal, QuestLocations + + +class TestCrypticNoteNoQuests(SVTestBase): + options = { + Goal.internal_name: Goal.option_cryptic_note, + QuestLocations.internal_name: "none" + } + + def test_given_option_pair_then_basic_checks(self): + basic_checks(self, self.multiworld) + + +class TestCompleteCollectionNoQuests(SVTestBase): + options = { + Goal.internal_name: Goal.option_complete_collection, + QuestLocations.internal_name: "none" + } + + def test_given_option_pair_then_basic_checks(self): + basic_checks(self, self.multiworld) + + +class TestProtectorOfTheValleyNoQuests(SVTestBase): + options = { + Goal.internal_name: Goal.option_protector_of_the_valley, + QuestLocations.internal_name: "none" + } + + def test_given_option_pair_then_basic_checks(self): + basic_checks(self, self.multiworld) + + +class TestCraftMasterNoQuests(SVTestBase): + options = { + Goal.internal_name: Goal.option_craft_master, + QuestLocations.internal_name: "none" + } + + def test_given_option_pair_then_basic_checks(self): + basic_checks(self, self.multiworld) diff --git a/worlds/stardew_valley/test/TestPresets.py b/worlds/stardew_valley/test/TestPresets.py new file mode 100644 index 000000000000..2bb1c7fbaeaf --- /dev/null +++ b/worlds/stardew_valley/test/TestPresets.py @@ -0,0 +1,21 @@ +import builtins +import inspect + +from Options import PerGameCommonOptions, OptionSet +from . import SVTestCase +from .. import sv_options_presets, StardewValleyOptions + + +class TestPresets(SVTestCase): + def test_all_presets_explicitly_set_all_options(self): + all_option_names = {option_key for option_key in StardewValleyOptions.type_hints} + omitted_option_names = {option_key for option_key in PerGameCommonOptions.type_hints} + mandatory_option_names = {option_key for option_key in all_option_names + if option_key not in omitted_option_names and + not issubclass(StardewValleyOptions.type_hints[option_key], OptionSet)} + + for preset_name in sv_options_presets: + with self.subTest(f"{preset_name}"): + for option_name in mandatory_option_names: + with self.subTest(f"{preset_name} -> {option_name}"): + self.assertIn(option_name, sv_options_presets[preset_name]) \ No newline at end of file diff --git a/worlds/stardew_valley/test/TestRegions.py b/worlds/stardew_valley/test/TestRegions.py index 7ebbcece5c2c..91c67f2c956a 100644 --- a/worlds/stardew_valley/test/TestRegions.py +++ b/worlds/stardew_valley/test/TestRegions.py @@ -1,11 +1,16 @@ import random import sys import unittest +from argparse import Namespace +from typing import Iterable, Dict, Set +from BaseClasses import Region, Entrance from . import SVTestCase, setup_solo_multiworld -from .. import options, StardewValleyWorld, StardewValleyOptions -from ..options import EntranceRandomization, ExcludeGingerIsland -from ..regions import vanilla_regions, vanilla_connections, randomize_connections, RandomizationFlag +from .. import StardewValleyWorld +from ..options import EntranceRandomization, ExcludeGingerIsland, StardewValleyOptions +from ..regions import vanilla_regions, vanilla_connections, randomize_connections, RandomizationFlag, create_final_regions, create_final_connections_and_regions +from ..strings.entrance_names import Entrance as EntranceName +from ..strings.region_names import Region as RegionName connections_by_name = {connection.name for connection in vanilla_connections} regions_by_name = {region.name for region in vanilla_regions} @@ -26,12 +31,35 @@ def test_connection_lead_somewhere(self): f"{connection.name} is leading to {connection.destination} but it does not exist.") -class TestEntranceRando(unittest.TestCase): +def explore_connections_tree_up_to_blockers(blocked_entrances: Set[str], connections_by_name, regions_by_name): + explored_entrances = set() + explored_regions = set() + entrances_to_explore = set() + current_node_name = "Menu" + current_node = regions_by_name[current_node_name] + entrances_to_explore.update(current_node.exits) + while entrances_to_explore: + current_entrance_name = entrances_to_explore.pop() + current_entrance = connections_by_name[current_entrance_name] + current_node_name = current_entrance.destination + + explored_entrances.add(current_entrance_name) + explored_regions.add(current_node_name) + + if current_entrance_name in blocked_entrances: + continue + + current_node = regions_by_name[current_node_name] + entrances_to_explore.update({entrance for entrance in current_node.exits if entrance not in explored_entrances}) + return explored_regions + + +class TestEntranceRando(SVTestCase): def test_entrance_randomization(self): - for option, flag in [(options.EntranceRandomization.option_pelican_town, RandomizationFlag.PELICAN_TOWN), - (options.EntranceRandomization.option_non_progression, RandomizationFlag.NON_PROGRESSION), - (options.EntranceRandomization.option_buildings, RandomizationFlag.BUILDINGS)]: + for option, flag in [(EntranceRandomization.option_pelican_town, RandomizationFlag.PELICAN_TOWN), + (EntranceRandomization.option_non_progression, RandomizationFlag.NON_PROGRESSION), + (EntranceRandomization.option_buildings, RandomizationFlag.BUILDINGS)]: # option = options.EntranceRandomization.option_buildings # flag = RandomizationFlag.BUILDINGS # for i in range(0, 100000): @@ -39,11 +67,12 @@ def test_entrance_randomization(self): with self.subTest(flag=flag, msg=f"Seed: {seed}"): rand = random.Random(seed) world_options = {EntranceRandomization.internal_name: option, - ExcludeGingerIsland.internal_name: options.ExcludeGingerIsland.option_false} + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_false} multiworld = setup_solo_multiworld(world_options) - regions_by_name = {region.name: region for region in vanilla_regions} + sv_options = multiworld.worlds[1].options + entrances, regions = create_final_connections_and_regions(sv_options) - _, randomized_connections = randomize_connections(rand, multiworld.worlds[1].options, regions_by_name) + _, randomized_connections = randomize_connections(rand, sv_options, regions, entrances) for connection in vanilla_connections: if flag in connection.flag: @@ -58,18 +87,19 @@ def test_entrance_randomization(self): f"Connections are duplicated in randomization. Seed = {seed}") def test_entrance_randomization_without_island(self): - for option, flag in [(options.EntranceRandomization.option_pelican_town, RandomizationFlag.PELICAN_TOWN), - (options.EntranceRandomization.option_non_progression, RandomizationFlag.NON_PROGRESSION), - (options.EntranceRandomization.option_buildings, RandomizationFlag.BUILDINGS)]: + for option, flag in [(EntranceRandomization.option_pelican_town, RandomizationFlag.PELICAN_TOWN), + (EntranceRandomization.option_non_progression, RandomizationFlag.NON_PROGRESSION), + (EntranceRandomization.option_buildings, RandomizationFlag.BUILDINGS)]: with self.subTest(option=option, flag=flag): seed = random.randrange(sys.maxsize) rand = random.Random(seed) world_options = {EntranceRandomization.internal_name: option, - ExcludeGingerIsland.internal_name: options.ExcludeGingerIsland.option_true} + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true} multiworld = setup_solo_multiworld(world_options) - regions_by_name = {region.name: region for region in vanilla_regions} + sv_options = multiworld.worlds[1].options + entrances, regions = create_final_connections_and_regions(sv_options) - _, randomized_connections = randomize_connections(rand, multiworld.worlds[1].options, regions_by_name) + _, randomized_connections = randomize_connections(rand, sv_options, regions, entrances) for connection in vanilla_connections: if flag in connection.flag: @@ -87,15 +117,43 @@ def test_entrance_randomization_without_island(self): self.assertEqual(len(set(randomized_connections.values())), len(randomized_connections.values()), f"Connections are duplicated in randomization. Seed = {seed}") + def test_cannot_put_island_access_on_island(self): + entrance_option = EntranceRandomization.option_buildings + buildings_flag = RandomizationFlag.BUILDINGS + string_options = {EntranceRandomization.internal_name: entrance_option, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_false} + player = 1 + for name, option in StardewValleyWorld.options_dataclass.type_hints.items(): + if name in string_options: + continue + string_options[name] = option.from_any(option.default) + world_options = StardewValleyOptions(**{option_key: string_options[option_key] for option_key in StardewValleyOptions.type_hints}) + + for i in range(0, 100 if self.skip_long_tests else 10000): + seed = random.randrange(sys.maxsize) + with self.subTest(msg=f"Seed: {seed}"): + rand = random.Random(seed) + entrances, regions = create_final_connections_and_regions(world_options) + randomized_connections, randomized_data = randomize_connections(rand, world_options, regions, entrances) + connections_by_name = {connection.name: connection for connection in randomized_connections} + + blocked_entrances = {EntranceName.use_island_obelisk, EntranceName.boat_to_ginger_island} + required_regions = {RegionName.wizard_tower, RegionName.boat_tunnel} + self.assert_can_reach_any_region_before_blockers(required_regions, blocked_entrances, connections_by_name, regions) + + def assert_can_reach_any_region_before_blockers(self, required_regions, blocked_entrances, connections_by_name, regions_by_name): + explored_regions = explore_connections_tree_up_to_blockers(blocked_entrances, connections_by_name, regions_by_name) + self.assertTrue(any(region in explored_regions for region in required_regions)) + class TestEntranceClassifications(SVTestCase): def test_non_progression_are_all_accessible_with_empty_inventory(self): - for option, flag in [(options.EntranceRandomization.option_pelican_town, RandomizationFlag.PELICAN_TOWN), - (options.EntranceRandomization.option_non_progression, RandomizationFlag.NON_PROGRESSION)]: + for option, flag in [(EntranceRandomization.option_pelican_town, RandomizationFlag.PELICAN_TOWN), + (EntranceRandomization.option_non_progression, RandomizationFlag.NON_PROGRESSION)]: seed = random.randrange(sys.maxsize) with self.subTest(flag=flag, msg=f"Seed: {seed}"): - multiworld_options = {options.EntranceRandomization.internal_name: option} + multiworld_options = {EntranceRandomization.internal_name: option} multiworld = setup_solo_multiworld(multiworld_options, seed) sv_world: StardewValleyWorld = multiworld.worlds[1] ap_entrances = {entrance.name: entrance for entrance in multiworld.get_entrances()} @@ -106,3 +164,15 @@ def test_non_progression_are_all_accessible_with_empty_inventory(self): if sv_world.randomized_entrances[randomized_entrance] in ap_entrances: ap_entrance_destination = multiworld.get_entrance(sv_world.randomized_entrances[randomized_entrance], 1) self.assertTrue(ap_entrance_destination.access_rule(multiworld.state)) + + def test_no_ginger_island_entrances_when_excluded(self): + seed = random.randrange(sys.maxsize) + multiworld_options = {EntranceRandomization.internal_name: EntranceRandomization.option_disabled, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true} + multiworld = setup_solo_multiworld(multiworld_options, seed) + ap_entrances = {entrance.name: entrance for entrance in multiworld.get_entrances()} + entrance_data_by_name = {entrance.name: entrance for entrance in vanilla_connections} + for entrance_name in ap_entrances: + entrance_data = entrance_data_by_name[entrance_name] + with self.subTest(f"{entrance_name}: {entrance_data.flag}"): + self.assertFalse(entrance_data.flag & RandomizationFlag.GINGER_ISLAND) diff --git a/worlds/stardew_valley/test/TestRules.py b/worlds/stardew_valley/test/TestRules.py index 0749b1a8f153..573842fe562b 100644 --- a/worlds/stardew_valley/test/TestRules.py +++ b/worlds/stardew_valley/test/TestRules.py @@ -1,167 +1,166 @@ from collections import Counter from . import SVTestBase -from .. import options +from .. import options, HasProgressionPercent +from ..data.craftable_data import all_crafting_recipes_by_name from ..locations import locations_by_tag, LocationTags, location_table -from ..strings.animal_names import Animal -from ..strings.animal_product_names import AnimalProduct -from ..strings.artisan_good_names import ArtisanGood -from ..strings.crop_names import Vegetable +from ..options import ToolProgression, BuildingProgression, ExcludeGingerIsland, Chefsanity, Craftsanity, Shipsanity, SeasonRandomization, Friendsanity, \ + FriendsanityHeartSize, BundleRandomization, SkillProgression from ..strings.entrance_names import Entrance -from ..strings.food_names import Meal -from ..strings.ingredient_names import Ingredient -from ..strings.machine_names import Machine from ..strings.region_names import Region -from ..strings.season_names import Season -from ..strings.seed_names import Seed class TestProgressiveToolsLogic(SVTestBase): options = { - options.ToolProgression.internal_name: options.ToolProgression.option_progressive, - options.SeasonRandomization.internal_name: options.SeasonRandomization.option_randomized, + ToolProgression.internal_name: ToolProgression.option_progressive, + SeasonRandomization.internal_name: SeasonRandomization.option_randomized, } - def setUp(self): - super().setUp() + def test_sturgeon(self): self.multiworld.state.prog_items = {1: Counter()} - def test_sturgeon(self): - self.assertFalse(self.world.logic.has("Sturgeon")(self.multiworld.state)) + sturgeon_rule = self.world.logic.has("Sturgeon") + self.assertFalse(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state, expected=False)) summer = self.world.create_item("Summer") - self.multiworld.state.collect(summer, event=True) - self.assertFalse(self.world.logic.has("Sturgeon")(self.multiworld.state)) + self.multiworld.state.collect(summer, event=False) + self.assertFalse(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state, expected=False)) fishing_rod = self.world.create_item("Progressive Fishing Rod") - self.multiworld.state.collect(fishing_rod, event=True) - self.multiworld.state.collect(fishing_rod, event=True) - self.assertFalse(self.world.logic.has("Sturgeon")(self.multiworld.state)) + self.multiworld.state.collect(fishing_rod, event=False) + self.multiworld.state.collect(fishing_rod, event=False) + self.assertFalse(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state, expected=False)) fishing_level = self.world.create_item("Fishing Level") - self.multiworld.state.collect(fishing_level, event=True) - self.assertFalse(self.world.logic.has("Sturgeon")(self.multiworld.state)) + self.multiworld.state.collect(fishing_level, event=False) + self.assertFalse(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state, expected=False)) - self.multiworld.state.collect(fishing_level, event=True) - self.multiworld.state.collect(fishing_level, event=True) - self.multiworld.state.collect(fishing_level, event=True) - self.multiworld.state.collect(fishing_level, event=True) - self.multiworld.state.collect(fishing_level, event=True) - self.assertTrue(self.world.logic.has("Sturgeon")(self.multiworld.state)) + self.multiworld.state.collect(fishing_level, event=False) + self.multiworld.state.collect(fishing_level, event=False) + self.multiworld.state.collect(fishing_level, event=False) + self.multiworld.state.collect(fishing_level, event=False) + self.multiworld.state.collect(fishing_level, event=False) + self.assertTrue(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state)) self.remove(summer) - self.assertFalse(self.world.logic.has("Sturgeon")(self.multiworld.state)) + self.assertFalse(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state, expected=False)) winter = self.world.create_item("Winter") - self.multiworld.state.collect(winter, event=True) - self.assertTrue(self.world.logic.has("Sturgeon")(self.multiworld.state)) + self.multiworld.state.collect(winter, event=False) + self.assertTrue(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state)) self.remove(fishing_rod) - self.assertFalse(self.world.logic.has("Sturgeon")(self.multiworld.state)) + self.assertFalse(sturgeon_rule(self.multiworld.state), sturgeon_rule.explain(self.multiworld.state, expected=False)) def test_old_master_cannoli(self): - self.multiworld.state.collect(self.world.create_item("Progressive Axe"), event=True) - self.multiworld.state.collect(self.world.create_item("Progressive Axe"), event=True) - self.multiworld.state.collect(self.world.create_item("Summer"), event=True) + self.multiworld.state.prog_items = {1: Counter()} - self.assertFalse(self.world.logic.can_reach_location("Old Master Cannoli")(self.multiworld.state)) + self.multiworld.state.collect(self.world.create_item("Progressive Axe"), event=False) + self.multiworld.state.collect(self.world.create_item("Progressive Axe"), event=False) + self.multiworld.state.collect(self.world.create_item("Summer"), event=False) + self.collect_lots_of_money() + + rule = self.world.logic.region.can_reach_location("Old Master Cannoli") + self.assertFalse(rule(self.multiworld.state), rule.explain(self.multiworld.state)) fall = self.world.create_item("Fall") - self.multiworld.state.collect(fall, event=True) - self.assertFalse(self.world.logic.can_reach_location("Old Master Cannoli")(self.multiworld.state)) + self.multiworld.state.collect(fall, event=False) + self.assertFalse(rule(self.multiworld.state)) tuesday = self.world.create_item("Traveling Merchant: Tuesday") - self.multiworld.state.collect(tuesday, event=True) - self.assertFalse(self.world.logic.can_reach_location("Old Master Cannoli")(self.multiworld.state)) + self.multiworld.state.collect(tuesday, event=False) + self.assertFalse(rule(self.multiworld.state)) rare_seed = self.world.create_item("Rare Seed") - self.multiworld.state.collect(rare_seed, event=True) - self.assertTrue(self.world.logic.can_reach_location("Old Master Cannoli")(self.multiworld.state)) + self.multiworld.state.collect(rare_seed, event=False) + self.assertTrue(rule(self.multiworld.state)) self.remove(fall) - self.assertFalse(self.world.logic.can_reach_location("Old Master Cannoli")(self.multiworld.state)) + self.assertFalse(rule(self.multiworld.state)) self.remove(tuesday) green_house = self.world.create_item("Greenhouse") - self.multiworld.state.collect(green_house, event=True) - self.assertFalse(self.world.logic.can_reach_location("Old Master Cannoli")(self.multiworld.state)) + self.multiworld.state.collect(green_house, event=False) + self.assertFalse(rule(self.multiworld.state)) friday = self.world.create_item("Traveling Merchant: Friday") - self.multiworld.state.collect(friday, event=True) + self.multiworld.state.collect(friday, event=False) self.assertTrue(self.multiworld.get_location("Old Master Cannoli", 1).access_rule(self.multiworld.state)) self.remove(green_house) - self.assertFalse(self.world.logic.can_reach_location("Old Master Cannoli")(self.multiworld.state)) + self.assertFalse(rule(self.multiworld.state)) self.remove(friday) class TestBundlesLogic(SVTestBase): options = { + BundleRandomization.internal_name: BundleRandomization.option_vanilla } def test_vault_2500g_bundle(self): - self.assertTrue(self.world.logic.can_reach_location("2,500g Bundle")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("2,500g Bundle")(self.multiworld.state)) + + self.collect_lots_of_money() + self.assertTrue(self.world.logic.region.can_reach_location("2,500g Bundle")(self.multiworld.state)) class TestBuildingLogic(SVTestBase): options = { - options.BuildingProgression.internal_name: options.BuildingProgression.option_progressive_early_shipping_bin + BuildingProgression.internal_name: BuildingProgression.option_progressive } def test_coop_blueprint(self): - self.assertFalse(self.world.logic.can_reach_location("Coop Blueprint")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Coop Blueprint")(self.multiworld.state)) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.assertTrue(self.world.logic.can_reach_location("Coop Blueprint")(self.multiworld.state)) + self.collect_lots_of_money() + self.assertTrue(self.world.logic.region.can_reach_location("Coop Blueprint")(self.multiworld.state)) def test_big_coop_blueprint(self): - self.assertFalse(self.world.logic.can_reach_location("Big Coop Blueprint")(self.multiworld.state), - f"Rule is {repr(self.multiworld.get_location('Big Coop Blueprint', self.player).access_rule)}") + big_coop_blueprint_rule = self.world.logic.region.can_reach_location("Big Coop Blueprint") + self.assertFalse(big_coop_blueprint_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Coop Blueprint', self.player).access_rule)}") - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.assertFalse(self.world.logic.can_reach_location("Big Coop Blueprint")(self.multiworld.state), - f"Rule is {repr(self.multiworld.get_location('Big Coop Blueprint', self.player).access_rule)}") + self.collect_lots_of_money() + self.assertFalse(big_coop_blueprint_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Coop Blueprint', self.player).access_rule)}") - self.multiworld.state.collect(self.world.create_item("Progressive Coop"), event=True) - self.assertTrue(self.world.logic.can_reach_location("Big Coop Blueprint")(self.multiworld.state), - f"Rule is {repr(self.multiworld.get_location('Big Coop Blueprint', self.player).access_rule)}") + self.multiworld.state.collect(self.world.create_item("Can Construct Buildings"), event=True) + self.assertFalse(big_coop_blueprint_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Coop Blueprint', self.player).access_rule)}") + + self.multiworld.state.collect(self.world.create_item("Progressive Coop"), event=False) + self.assertTrue(big_coop_blueprint_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Coop Blueprint', self.player).access_rule)}") def test_deluxe_coop_blueprint(self): - self.assertFalse(self.world.logic.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.assertFalse(self.world.logic.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) + self.collect_lots_of_money() + self.multiworld.state.collect(self.world.create_item("Can Construct Buildings"), event=True) + self.assertFalse(self.world.logic.region.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) self.multiworld.state.collect(self.world.create_item("Progressive Coop"), event=True) - self.assertFalse(self.world.logic.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) self.multiworld.state.collect(self.world.create_item("Progressive Coop"), event=True) - self.assertTrue(self.world.logic.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach_location("Deluxe Coop Blueprint")(self.multiworld.state)) def test_big_shed_blueprint(self): - self.assertFalse(self.world.logic.can_reach_location("Big Shed Blueprint")(self.multiworld.state), - f"Rule is {repr(self.multiworld.get_location('Big Shed Blueprint', self.player).access_rule)}") - - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.multiworld.state.collect(self.world.create_item("Month End"), event=True) - self.assertFalse(self.world.logic.can_reach_location("Big Shed Blueprint")(self.multiworld.state), - f"Rule is {repr(self.multiworld.get_location('Big Shed Blueprint', self.player).access_rule)}") + big_shed_rule = self.world.logic.region.can_reach_location("Big Shed Blueprint") + self.assertFalse(big_shed_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Shed Blueprint', self.player).access_rule)}") + + self.collect_lots_of_money() + self.assertFalse(big_shed_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Shed Blueprint', self.player).access_rule)}") + + self.multiworld.state.collect(self.world.create_item("Can Construct Buildings"), event=True) + self.assertFalse(big_shed_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Shed Blueprint', self.player).access_rule)}") self.multiworld.state.collect(self.world.create_item("Progressive Shed"), event=True) - self.assertTrue(self.world.logic.can_reach_location("Big Shed Blueprint")(self.multiworld.state), - f"Rule is {repr(self.multiworld.get_location('Big Shed Blueprint', self.player).access_rule)}") + self.assertTrue(big_shed_rule(self.multiworld.state), + f"Rule is {repr(self.multiworld.get_location('Big Shed Blueprint', self.player).access_rule)}") class TestArcadeMachinesLogic(SVTestBase): @@ -170,10 +169,10 @@ class TestArcadeMachinesLogic(SVTestBase): } def test_prairie_king(self): - self.assertFalse(self.world.logic.can_reach_region("JotPK World 1")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_region("JotPK World 2")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_region("JotPK World 3")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 1")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 2")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 3")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) boots = self.world.create_item("JotPK: Progressive Boots") gun = self.world.create_item("JotPK: Progressive Gun") @@ -183,19 +182,19 @@ def test_prairie_king(self): self.multiworld.state.collect(boots, event=True) self.multiworld.state.collect(gun, event=True) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 1")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_region("JotPK World 2")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_region("JotPK World 3")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 1")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 2")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 3")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) self.remove(boots) self.remove(gun) self.multiworld.state.collect(boots, event=True) self.multiworld.state.collect(boots, event=True) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 1")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_region("JotPK World 2")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_region("JotPK World 3")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 1")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 2")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 3")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) self.remove(boots) self.remove(boots) @@ -203,10 +202,10 @@ def test_prairie_king(self): self.multiworld.state.collect(gun, event=True) self.multiworld.state.collect(ammo, event=True) self.multiworld.state.collect(life, event=True) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 1")(self.multiworld.state)) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 2")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_region("JotPK World 3")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 1")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 2")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach("JotPK World 3")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) self.remove(boots) self.remove(gun) self.remove(ammo) @@ -219,10 +218,10 @@ def test_prairie_king(self): self.multiworld.state.collect(ammo, event=True) self.multiworld.state.collect(life, event=True) self.multiworld.state.collect(drop, event=True) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 1")(self.multiworld.state)) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 2")(self.multiworld.state)) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 3")(self.multiworld.state)) - self.assertFalse(self.world.logic.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 1")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 2")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 3")(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) self.remove(boots) self.remove(gun) self.remove(gun) @@ -242,10 +241,10 @@ def test_prairie_king(self): self.multiworld.state.collect(ammo, event=True) self.multiworld.state.collect(life, event=True) self.multiworld.state.collect(drop, event=True) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 1")(self.multiworld.state)) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 2")(self.multiworld.state)) - self.assertTrue(self.world.logic.can_reach_region("JotPK World 3")(self.multiworld.state)) - self.assertTrue(self.world.logic.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 1")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 2")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach("JotPK World 3")(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach_location("Journey of the Prairie King Victory")(self.multiworld.state)) self.remove(boots) self.remove(boots) self.remove(gun) @@ -261,116 +260,272 @@ def test_prairie_king(self): class TestWeaponsLogic(SVTestBase): options = { - options.ToolProgression.internal_name: options.ToolProgression.option_progressive, + ToolProgression.internal_name: ToolProgression.option_progressive, options.SkillProgression.internal_name: options.SkillProgression.option_progressive, } def test_mine(self): - self.collect(self.world.create_item("Adventurer's Guild")) self.multiworld.state.collect(self.world.create_item("Progressive Pickaxe"), event=True) self.multiworld.state.collect(self.world.create_item("Progressive Pickaxe"), event=True) self.multiworld.state.collect(self.world.create_item("Progressive Pickaxe"), event=True) self.multiworld.state.collect(self.world.create_item("Progressive Pickaxe"), event=True) self.collect([self.world.create_item("Combat Level")] * 10) + self.collect([self.world.create_item("Mining Level")] * 10) self.collect([self.world.create_item("Progressive Mine Elevator")] * 24) self.multiworld.state.collect(self.world.create_item("Bus Repair"), event=True) self.multiworld.state.collect(self.world.create_item("Skull Key"), event=True) - self.GiveItemAndCheckReachableMine("Rusty Sword", 1) - self.GiveItemAndCheckReachableMine("Wooden Blade", 1) - self.GiveItemAndCheckReachableMine("Elf Blade", 1) + self.GiveItemAndCheckReachableMine("Progressive Sword", 1) + self.GiveItemAndCheckReachableMine("Progressive Dagger", 1) + self.GiveItemAndCheckReachableMine("Progressive Club", 1) - self.GiveItemAndCheckReachableMine("Silver Saber", 2) - self.GiveItemAndCheckReachableMine("Crystal Dagger", 2) + self.GiveItemAndCheckReachableMine("Progressive Sword", 2) + self.GiveItemAndCheckReachableMine("Progressive Dagger", 2) + self.GiveItemAndCheckReachableMine("Progressive Club", 2) - self.GiveItemAndCheckReachableMine("Claymore", 3) - self.GiveItemAndCheckReachableMine("Obsidian Edge", 3) - self.GiveItemAndCheckReachableMine("Bone Sword", 3) + self.GiveItemAndCheckReachableMine("Progressive Sword", 3) + self.GiveItemAndCheckReachableMine("Progressive Dagger", 3) + self.GiveItemAndCheckReachableMine("Progressive Club", 3) - self.GiveItemAndCheckReachableMine("The Slammer", 4) - self.GiveItemAndCheckReachableMine("Lava Katana", 4) + self.GiveItemAndCheckReachableMine("Progressive Sword", 4) + self.GiveItemAndCheckReachableMine("Progressive Dagger", 4) + self.GiveItemAndCheckReachableMine("Progressive Club", 4) - self.GiveItemAndCheckReachableMine("Galaxy Sword", 5) - self.GiveItemAndCheckReachableMine("Galaxy Hammer", 5) - self.GiveItemAndCheckReachableMine("Galaxy Dagger", 5) + self.GiveItemAndCheckReachableMine("Progressive Sword", 5) + self.GiveItemAndCheckReachableMine("Progressive Dagger", 5) + self.GiveItemAndCheckReachableMine("Progressive Club", 5) def GiveItemAndCheckReachableMine(self, item_name: str, reachable_level: int): item = self.multiworld.create_item(item_name, self.player) self.multiworld.state.collect(item, event=True) + rule = self.world.logic.mine.can_mine_in_the_mines_floor_1_40() if reachable_level > 0: - self.assertTrue(self.world.logic.can_mine_in_the_mines_floor_1_40()(self.multiworld.state)) + self.assertTrue(rule(self.multiworld.state), rule.explain(self.multiworld.state)) else: - self.assertFalse(self.world.logic.can_mine_in_the_mines_floor_1_40()(self.multiworld.state)) + self.assertFalse(rule(self.multiworld.state), rule.explain(self.multiworld.state, expected=False)) + rule = self.world.logic.mine.can_mine_in_the_mines_floor_41_80() if reachable_level > 1: - self.assertTrue(self.world.logic.can_mine_in_the_mines_floor_41_80()(self.multiworld.state)) + self.assertTrue(rule(self.multiworld.state), rule.explain(self.multiworld.state)) else: - self.assertFalse(self.world.logic.can_mine_in_the_mines_floor_41_80()(self.multiworld.state)) + self.assertFalse(rule(self.multiworld.state), rule.explain(self.multiworld.state, expected=False)) + rule = self.world.logic.mine.can_mine_in_the_mines_floor_81_120() if reachable_level > 2: - self.assertTrue(self.world.logic.can_mine_in_the_mines_floor_81_120()(self.multiworld.state)) + self.assertTrue(rule(self.multiworld.state), rule.explain(self.multiworld.state)) else: - self.assertFalse(self.world.logic.can_mine_in_the_mines_floor_81_120()(self.multiworld.state)) + self.assertFalse(rule(self.multiworld.state), rule.explain(self.multiworld.state, expected=False)) + rule = self.world.logic.mine.can_mine_in_the_skull_cavern() if reachable_level > 3: - self.assertTrue(self.world.logic.can_mine_in_the_skull_cavern()(self.multiworld.state)) + self.assertTrue(rule(self.multiworld.state), rule.explain(self.multiworld.state)) else: - self.assertFalse(self.world.logic.can_mine_in_the_skull_cavern()(self.multiworld.state)) + self.assertFalse(rule(self.multiworld.state), rule.explain(self.multiworld.state, expected=False)) + rule = self.world.logic.ability.can_mine_perfectly_in_the_skull_cavern() if reachable_level > 4: - self.assertTrue(self.world.logic.can_mine_perfectly_in_the_skull_cavern()(self.multiworld.state)) + self.assertTrue(rule(self.multiworld.state), rule.explain(self.multiworld.state)) else: - self.assertFalse(self.world.logic.can_mine_perfectly_in_the_skull_cavern()(self.multiworld.state)) + self.assertFalse(rule(self.multiworld.state), rule.explain(self.multiworld.state, expected=False)) - self.remove(item) +class TestRecipeLearnLogic(SVTestBase): + options = { + BuildingProgression.internal_name: BuildingProgression.option_progressive, + options.Cropsanity.internal_name: options.Cropsanity.option_enabled, + options.Cooksanity.internal_name: options.Cooksanity.option_all, + Chefsanity.internal_name: Chefsanity.option_none, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + } -class TestRecipeLogic(SVTestBase): + def test_can_learn_qos_recipe(self): + location = "Cook Radish Salad" + rule = self.world.logic.region.can_reach_location(location) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Progressive House"), event=False) + self.multiworld.state.collect(self.world.create_item("Radish Seeds"), event=False) + self.multiworld.state.collect(self.world.create_item("Spring"), event=False) + self.multiworld.state.collect(self.world.create_item("Summer"), event=False) + self.collect_lots_of_money() + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("The Queen of Sauce"), event=False) + self.assertTrue(rule(self.multiworld.state)) + + +class TestRecipeReceiveLogic(SVTestBase): options = { - options.BuildingProgression.internal_name: options.BuildingProgression.option_progressive, - options.SkillProgression.internal_name: options.SkillProgression.option_progressive, + BuildingProgression.internal_name: BuildingProgression.option_progressive, + options.Cropsanity.internal_name: options.Cropsanity.option_enabled, + options.Cooksanity.internal_name: options.Cooksanity.option_all, + Chefsanity.internal_name: Chefsanity.option_all, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + } + + def test_can_learn_qos_recipe(self): + location = "Cook Radish Salad" + rule = self.world.logic.region.can_reach_location(location) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Progressive House"), event=False) + self.multiworld.state.collect(self.world.create_item("Radish Seeds"), event=False) + self.multiworld.state.collect(self.world.create_item("Summer"), event=False) + self.collect_lots_of_money() + self.assertFalse(rule(self.multiworld.state)) + + spring = self.world.create_item("Spring") + qos = self.world.create_item("The Queen of Sauce") + self.multiworld.state.collect(spring, event=False) + self.multiworld.state.collect(qos, event=False) + self.assertFalse(rule(self.multiworld.state)) + self.multiworld.state.remove(spring) + self.multiworld.state.remove(qos) + + self.multiworld.state.collect(self.world.create_item("Radish Salad Recipe"), event=False) + self.assertTrue(rule(self.multiworld.state)) + + def test_get_chefsanity_check_recipe(self): + location = "Radish Salad Recipe" + rule = self.world.logic.region.can_reach_location(location) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Spring"), event=False) + self.collect_lots_of_money() + self.assertFalse(rule(self.multiworld.state)) + + seeds = self.world.create_item("Radish Seeds") + summer = self.world.create_item("Summer") + house = self.world.create_item("Progressive House") + self.multiworld.state.collect(seeds, event=False) + self.multiworld.state.collect(summer, event=False) + self.multiworld.state.collect(house, event=False) + self.assertFalse(rule(self.multiworld.state)) + self.multiworld.state.remove(seeds) + self.multiworld.state.remove(summer) + self.multiworld.state.remove(house) + + self.multiworld.state.collect(self.world.create_item("The Queen of Sauce"), event=False) + self.assertTrue(rule(self.multiworld.state)) + + +class TestCraftsanityLogic(SVTestBase): + options = { + BuildingProgression.internal_name: BuildingProgression.option_progressive, options.Cropsanity.internal_name: options.Cropsanity.option_enabled, + Craftsanity.internal_name: Craftsanity.option_all, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, } - # I wanted to make a test for different ways to obtain a pizza, but I'm stuck not knowing how to block the immediate purchase from Gus - # def test_pizza(self): - # world = self.world - # logic = world.logic - # multiworld = self.multiworld - # - # self.assertTrue(logic.has(Ingredient.wheat_flour)(multiworld.state)) - # self.assertTrue(logic.can_spend_money_at(Region.saloon, 150)(multiworld.state)) - # self.assertFalse(logic.has(Meal.pizza)(multiworld.state)) - # - # self.assertFalse(logic.can_cook()(multiworld.state)) - # self.collect(world.create_item("Progressive House")) - # self.assertTrue(logic.can_cook()(multiworld.state)) - # self.assertFalse(logic.has(Meal.pizza)(multiworld.state)) - # - # self.assertFalse(logic.has(Seed.tomato)(multiworld.state)) - # self.collect(world.create_item(Seed.tomato)) - # self.assertTrue(logic.has(Seed.tomato)(multiworld.state)) - # self.assertFalse(logic.has(Meal.pizza)(multiworld.state)) - # - # self.assertFalse(logic.has(Vegetable.tomato)(multiworld.state)) - # self.collect(world.create_item(Season.summer)) - # self.assertTrue(logic.has(Vegetable.tomato)(multiworld.state)) - # self.assertFalse(logic.has(Meal.pizza)(multiworld.state)) - # - # self.assertFalse(logic.has(Animal.cow)(multiworld.state)) - # self.assertFalse(logic.has(AnimalProduct.cow_milk)(multiworld.state)) - # self.collect(world.create_item("Progressive Barn")) - # self.assertTrue(logic.has(Animal.cow)(multiworld.state)) - # self.assertTrue(logic.has(AnimalProduct.cow_milk)(multiworld.state)) - # self.assertFalse(logic.has(Meal.pizza)(multiworld.state)) - # - # self.assertFalse(logic.has(Machine.cheese_press)(self.multiworld.state)) - # self.assertFalse(logic.has(ArtisanGood.cheese)(self.multiworld.state)) - # self.collect(world.create_item(item) for item in ["Farming Level"] * 6) - # self.collect(world.create_item(item) for item in ["Progressive Axe"] * 2) - # self.assertTrue(logic.has(Machine.cheese_press)(self.multiworld.state)) - # self.assertTrue(logic.has(ArtisanGood.cheese)(self.multiworld.state)) - # self.assertTrue(logic.has(Meal.pizza)(self.multiworld.state)) + def test_can_craft_recipe(self): + location = "Craft Marble Brazier" + rule = self.world.logic.region.can_reach_location(location) + self.collect([self.world.create_item("Progressive Pickaxe")] * 4) + self.collect([self.world.create_item("Progressive Fishing Rod")] * 4) + self.collect([self.world.create_item("Progressive Sword")] * 4) + self.collect([self.world.create_item("Progressive Mine Elevator")] * 24) + self.collect([self.world.create_item("Mining Level")] * 10) + self.collect([self.world.create_item("Combat Level")] * 10) + self.collect([self.world.create_item("Fishing Level")] * 10) + self.collect_all_the_money() + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Marble Brazier Recipe"), event=False) + self.assertTrue(rule(self.multiworld.state)) + + def test_can_learn_crafting_recipe(self): + location = "Marble Brazier Recipe" + rule = self.world.logic.region.can_reach_location(location) + self.assertFalse(rule(self.multiworld.state)) + + self.collect_lots_of_money() + self.assertTrue(rule(self.multiworld.state)) + + def test_can_craft_festival_recipe(self): + recipe = all_crafting_recipes_by_name["Jack-O-Lantern"] + self.multiworld.state.collect(self.world.create_item("Pumpkin Seeds"), event=False) + self.multiworld.state.collect(self.world.create_item("Torch Recipe"), event=False) + self.collect_lots_of_money() + rule = self.world.logic.crafting.can_craft(recipe) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Fall"), event=False) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Jack-O-Lantern Recipe"), event=False) + self.assertTrue(rule(self.multiworld.state)) + + +class TestCraftsanityWithFestivalsLogic(SVTestBase): + options = { + BuildingProgression.internal_name: BuildingProgression.option_progressive, + options.Cropsanity.internal_name: options.Cropsanity.option_enabled, + options.FestivalLocations.internal_name: options.FestivalLocations.option_easy, + Craftsanity.internal_name: Craftsanity.option_all, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + } + + def test_can_craft_festival_recipe(self): + recipe = all_crafting_recipes_by_name["Jack-O-Lantern"] + self.multiworld.state.collect(self.world.create_item("Pumpkin Seeds"), event=False) + self.multiworld.state.collect(self.world.create_item("Fall"), event=False) + self.collect_lots_of_money() + rule = self.world.logic.crafting.can_craft(recipe) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Jack-O-Lantern Recipe"), event=False) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Torch Recipe"), event=False) + self.assertTrue(rule(self.multiworld.state)) + + +class TestNoCraftsanityLogic(SVTestBase): + options = { + BuildingProgression.internal_name: BuildingProgression.option_progressive, + SeasonRandomization.internal_name: SeasonRandomization.option_progressive, + options.Cropsanity.internal_name: options.Cropsanity.option_enabled, + options.FestivalLocations.internal_name: options.FestivalLocations.option_disabled, + Craftsanity.internal_name: Craftsanity.option_none, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + } + + def test_can_craft_recipe(self): + recipe = all_crafting_recipes_by_name["Wood Floor"] + rule = self.world.logic.crafting.can_craft(recipe) + self.assertTrue(rule(self.multiworld.state)) + + def test_can_craft_festival_recipe(self): + recipe = all_crafting_recipes_by_name["Jack-O-Lantern"] + self.multiworld.state.collect(self.world.create_item("Pumpkin Seeds"), event=False) + self.collect_lots_of_money() + rule = self.world.logic.crafting.can_craft(recipe) + result = rule(self.multiworld.state) + self.assertFalse(result) + + self.collect([self.world.create_item("Progressive Season")] * 2) + self.assertTrue(rule(self.multiworld.state)) + + +class TestNoCraftsanityWithFestivalsLogic(SVTestBase): + options = { + BuildingProgression.internal_name: BuildingProgression.option_progressive, + options.Cropsanity.internal_name: options.Cropsanity.option_enabled, + options.FestivalLocations.internal_name: options.FestivalLocations.option_easy, + Craftsanity.internal_name: Craftsanity.option_none, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + } + + def test_can_craft_festival_recipe(self): + recipe = all_crafting_recipes_by_name["Jack-O-Lantern"] + self.multiworld.state.collect(self.world.create_item("Pumpkin Seeds"), event=False) + self.multiworld.state.collect(self.world.create_item("Fall"), event=False) + self.collect_lots_of_money() + rule = self.world.logic.crafting.can_craft(recipe) + self.assertFalse(rule(self.multiworld.state)) + + self.multiworld.state.collect(self.world.create_item("Jack-O-Lantern Recipe"), event=False) + self.assertTrue(rule(self.multiworld.state)) class TestDonationLogicAll(SVTestBase): @@ -379,17 +534,17 @@ class TestDonationLogicAll(SVTestBase): } def test_cannot_make_any_donation_without_museum_access(self): - guild_item = "Adventurer's Guild" - swap_museum_and_guild(self.multiworld, self.player) - collect_all_except(self.multiworld, guild_item) + railroad_item = "Railroad Boulder Removed" + swap_museum_and_bathhouse(self.multiworld, self.player) + collect_all_except(self.multiworld, railroad_item) for donation in locations_by_tag[LocationTags.MUSEUM_DONATIONS]: - self.assertFalse(self.world.logic.can_reach_location(donation.name)(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location(donation.name)(self.multiworld.state)) - self.multiworld.state.collect(self.world.create_item(guild_item), event=True) + self.multiworld.state.collect(self.world.create_item(railroad_item), event=False) for donation in locations_by_tag[LocationTags.MUSEUM_DONATIONS]: - self.assertTrue(self.world.logic.can_reach_location(donation.name)(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach_location(donation.name)(self.multiworld.state)) class TestDonationLogicRandomized(SVTestBase): @@ -398,18 +553,19 @@ class TestDonationLogicRandomized(SVTestBase): } def test_cannot_make_any_donation_without_museum_access(self): - guild_item = "Adventurer's Guild" - swap_museum_and_guild(self.multiworld, self.player) - collect_all_except(self.multiworld, guild_item) - donation_locations = [location for location in self.multiworld.get_locations() if not location.event and LocationTags.MUSEUM_DONATIONS in location_table[location.name].tags] + railroad_item = "Railroad Boulder Removed" + swap_museum_and_bathhouse(self.multiworld, self.player) + collect_all_except(self.multiworld, railroad_item) + donation_locations = [location for location in self.multiworld.get_locations() if + not location.event and LocationTags.MUSEUM_DONATIONS in location_table[location.name].tags] for donation in donation_locations: - self.assertFalse(self.world.logic.can_reach_location(donation.name)(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location(donation.name)(self.multiworld.state)) - self.multiworld.state.collect(self.world.create_item(guild_item), event=True) + self.multiworld.state.collect(self.world.create_item(railroad_item), event=False) for donation in donation_locations: - self.assertTrue(self.world.logic.can_reach_location(donation.name)(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach_location(donation.name)(self.multiworld.state)) class TestDonationLogicMilestones(SVTestBase): @@ -418,26 +574,26 @@ class TestDonationLogicMilestones(SVTestBase): } def test_cannot_make_any_donation_without_museum_access(self): - guild_item = "Adventurer's Guild" - swap_museum_and_guild(self.multiworld, self.player) - collect_all_except(self.multiworld, guild_item) + railroad_item = "Railroad Boulder Removed" + swap_museum_and_bathhouse(self.multiworld, self.player) + collect_all_except(self.multiworld, railroad_item) for donation in locations_by_tag[LocationTags.MUSEUM_MILESTONES]: - self.assertFalse(self.world.logic.can_reach_location(donation.name)(self.multiworld.state)) + self.assertFalse(self.world.logic.region.can_reach_location(donation.name)(self.multiworld.state)) - self.multiworld.state.collect(self.world.create_item(guild_item), event=True) + self.multiworld.state.collect(self.world.create_item(railroad_item), event=False) for donation in locations_by_tag[LocationTags.MUSEUM_MILESTONES]: - self.assertTrue(self.world.logic.can_reach_location(donation.name)(self.multiworld.state)) + self.assertTrue(self.world.logic.region.can_reach_location(donation.name)(self.multiworld.state)) -def swap_museum_and_guild(multiworld, player): +def swap_museum_and_bathhouse(multiworld, player): museum_region = multiworld.get_region(Region.museum, player) - guild_region = multiworld.get_region(Region.adventurer_guild, player) + bathhouse_region = multiworld.get_region(Region.bathhouse_entrance, player) museum_entrance = multiworld.get_entrance(Entrance.town_to_museum, player) - guild_entrance = multiworld.get_entrance(Entrance.mountain_to_adventurer_guild, player) - museum_entrance.connect(guild_region) - guild_entrance.connect(museum_region) + bathhouse_entrance = multiworld.get_entrance(Entrance.enter_bathhouse_entrance, player) + museum_entrance.connect(bathhouse_region) + bathhouse_entrance.connect(museum_region) def collect_all_except(multiworld, item_to_not_collect: str): @@ -448,22 +604,19 @@ def collect_all_except(multiworld, item_to_not_collect: str): class TestFriendsanityDatingRules(SVTestBase): options = { - options.SeasonRandomization.internal_name: options.SeasonRandomization.option_randomized_not_winter, - options.Friendsanity.internal_name: options.Friendsanity.option_all_with_marriage, - options.FriendsanityHeartSize.internal_name: 3 + SeasonRandomization.internal_name: SeasonRandomization.option_randomized_not_winter, + Friendsanity.internal_name: Friendsanity.option_all_with_marriage, + FriendsanityHeartSize.internal_name: 3 } def test_earning_dating_heart_requires_dating(self): - month_name = "Month End" - for i in range(12): - month_item = self.world.create_item(month_name) - self.multiworld.state.collect(month_item, event=True) + self.collect_all_the_money() + self.multiworld.state.collect(self.world.create_item("Fall"), event=False) self.multiworld.state.collect(self.world.create_item("Beach Bridge"), event=False) self.multiworld.state.collect(self.world.create_item("Progressive House"), event=False) - self.multiworld.state.collect(self.world.create_item("Adventurer's Guild"), event=False) - self.multiworld.state.collect(self.world.create_item("Galaxy Hammer"), event=False) for i in range(3): self.multiworld.state.collect(self.world.create_item("Progressive Pickaxe"), event=False) + self.multiworld.state.collect(self.world.create_item("Progressive Weapon"), event=False) self.multiworld.state.collect(self.world.create_item("Progressive Axe"), event=False) self.multiworld.state.collect(self.world.create_item("Progressive Barn"), event=False) for i in range(10): @@ -495,12 +648,103 @@ def assert_can_reach_heart_up_to(self, npc: str, max_reachable: int, step: int): if i % step != 0 and i != 14: continue location = f"{prefix}{npc} {i}{suffix}" - can_reach = self.world.logic.can_reach_location(location)(self.multiworld.state) + can_reach = self.world.logic.region.can_reach_location(location)(self.multiworld.state) self.assertTrue(can_reach, f"Should be able to earn relationship up to {i} hearts") for i in range(max_reachable + 1, 14 + 1): if i % step != 0 and i != 14: continue location = f"{prefix}{npc} {i}{suffix}" - can_reach = self.world.logic.can_reach_location(location)(self.multiworld.state) + can_reach = self.world.logic.region.can_reach_location(location)(self.multiworld.state) self.assertFalse(can_reach, f"Should not be able to earn relationship up to {i} hearts") + +class TestShipsanityNone(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_none + } + + def test_no_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event: + self.assertFalse("Shipsanity" in location.name) + self.assertNotIn(LocationTags.SHIPSANITY, location_table[location.name].tags) + + +class TestShipsanityCrops(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_crops + } + + def test_only_crop_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + self.assertIn(LocationTags.SHIPSANITY_CROP, location_table[location.name].tags) + + +class TestShipsanityFish(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_fish + } + + def test_only_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + self.assertIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + +class TestShipsanityFullShipment(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment + } + + def test_only_full_shipment_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + self.assertIn(LocationTags.SHIPSANITY_FULL_SHIPMENT, location_table[location.name].tags) + self.assertNotIn(LocationTags.SHIPSANITY_FISH, location_table[location.name].tags) + + +class TestShipsanityFullShipmentWithFish(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_full_shipment_with_fish + } + + def test_only_full_shipment_and_fish_shipsanity_locations(self): + for location in self.multiworld.get_locations(self.player): + if not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags: + self.assertTrue(LocationTags.SHIPSANITY_FULL_SHIPMENT in location_table[location.name].tags or + LocationTags.SHIPSANITY_FISH in location_table[location.name].tags) + + +class TestShipsanityEverything(SVTestBase): + options = { + Shipsanity.internal_name: Shipsanity.option_everything, + BuildingProgression.internal_name: BuildingProgression.option_progressive + } + + def test_all_shipsanity_locations_require_shipping_bin(self): + bin_name = "Shipping Bin" + collect_all_except(self.multiworld, bin_name) + shipsanity_locations = [location for location in self.multiworld.get_locations() if + not location.event and LocationTags.SHIPSANITY in location_table[location.name].tags] + bin_item = self.world.create_item(bin_name) + for location in shipsanity_locations: + with self.subTest(location.name): + self.remove(bin_item) + self.assertFalse(self.world.logic.region.can_reach_location(location.name)(self.multiworld.state)) + self.multiworld.state.collect(bin_item, event=False) + shipsanity_rule = self.world.logic.region.can_reach_location(location.name) + can_reach_shipsanity_location = shipsanity_rule(self.multiworld.state) + self.assertTrue(can_reach_shipsanity_location, shipsanity_rule.explain(self.multiworld.state)) + self.remove(bin_item) + + +class TestVanillaSkillLogicSimplification(SVTestBase): + options = { + SkillProgression.internal_name: SkillProgression.option_vanilla, + ToolProgression.internal_name: ToolProgression.option_progressive, + } + + def test_skill_logic_has_level_only_uses_one_has_progression_percent(self): + rule = self.multiworld.worlds[1].logic.skill.has_level("Farming", 8) + self.assertEqual(1, sum(1 for i in rule.current_rules if type(i) == HasProgressionPercent)) diff --git a/worlds/stardew_valley/test/TestStardewRule.py b/worlds/stardew_valley/test/TestStardewRule.py new file mode 100644 index 000000000000..89317d90e4e2 --- /dev/null +++ b/worlds/stardew_valley/test/TestStardewRule.py @@ -0,0 +1,244 @@ +import unittest +from unittest.mock import MagicMock, Mock + +from ..stardew_rule import Received, And, Or, HasProgressionPercent, false_, true_ + + +class TestSimplification(unittest.TestCase): + """ + Those feature of simplifying the rules when they are built have proven to improve the fill speed considerably. + """ + + def test_simplify_and_and_and(self): + rule = And(Received('Summer', 0, 1), Received('Fall', 0, 1)) & And(Received('Winter', 0, 1), Received('Spring', 0, 1)) + + self.assertEqual(And(Received('Summer', 0, 1), Received('Fall', 0, 1), Received('Winter', 0, 1), Received('Spring', 0, 1)), rule) + + def test_simplify_and_in_and(self): + rule = And(And(Received('Summer', 0, 1), Received('Fall', 0, 1)), And(Received('Winter', 0, 1), Received('Spring', 0, 1))) + self.assertEqual(And(Received('Summer', 0, 1), Received('Fall', 0, 1), Received('Winter', 0, 1), Received('Spring', 0, 1)), rule) + + def test_simplify_duplicated_and(self): + # This only works because "Received"s are combinable. + rule = And(And(Received('Summer', 0, 1), Received('Fall', 0, 1)), And(Received('Summer', 0, 1), Received('Fall', 0, 1))) + self.assertEqual(And(Received('Summer', 0, 1), Received('Fall', 0, 1)), rule) + + def test_simplify_or_or_or(self): + rule = Or(Received('Summer', 0, 1), Received('Fall', 0, 1)) | Or(Received('Winter', 0, 1), Received('Spring', 0, 1)) + self.assertEqual(Or(Received('Summer', 0, 1), Received('Fall', 0, 1), Received('Winter', 0, 1), Received('Spring', 0, 1)), rule) + + def test_simplify_or_in_or(self): + rule = Or(Or(Received('Summer', 0, 1), Received('Fall', 0, 1)), Or(Received('Winter', 0, 1), Received('Spring', 0, 1))) + self.assertEqual(Or(Received('Summer', 0, 1), Received('Fall', 0, 1), Received('Winter', 0, 1), Received('Spring', 0, 1)), rule) + + def test_simplify_duplicated_or(self): + rule = Or(Or(Received('Summer', 0, 1), Received('Fall', 0, 1)), Or(Received('Summer', 0, 1), Received('Fall', 0, 1))) + self.assertEqual(Or(Received('Summer', 0, 1), Received('Fall', 0, 1)), rule) + + +class TestHasProgressionPercentSimplification(unittest.TestCase): + def test_has_progression_percent_and_uses_max(self): + rule = HasProgressionPercent(1, 20) & HasProgressionPercent(1, 10) + self.assertEqual(rule, HasProgressionPercent(1, 20)) + + def test_has_progression_percent_or_uses_min(self): + rule = HasProgressionPercent(1, 20) | HasProgressionPercent(1, 10) + self.assertEqual(rule, HasProgressionPercent(1, 10)) + + def test_and_between_progression_percent_and_other_progression_percent_uses_max(self): + cases = [ + And(HasProgressionPercent(1, 10)) & HasProgressionPercent(1, 20), + HasProgressionPercent(1, 10) & And(HasProgressionPercent(1, 20)), + And(HasProgressionPercent(1, 20)) & And(HasProgressionPercent(1, 10)), + ] + for i, case in enumerate(cases): + with self.subTest(f"{i} {repr(case)}"): + self.assertEqual(case, And(HasProgressionPercent(1, 20))) + + def test_or_between_progression_percent_and_other_progression_percent_uses_max(self): + cases = [ + Or(HasProgressionPercent(1, 10)) | HasProgressionPercent(1, 20), + HasProgressionPercent(1, 10) | Or(HasProgressionPercent(1, 20)), + Or(HasProgressionPercent(1, 20)) | Or(HasProgressionPercent(1, 10)) + ] + for i, case in enumerate(cases): + with self.subTest(f"{i} {repr(case)}"): + self.assertEqual(case, Or(HasProgressionPercent(1, 10))) + + +class TestEvaluateWhileSimplifying(unittest.TestCase): + def test_propagate_evaluate_while_simplifying(self): + expected_result = True + collection_state = MagicMock() + other_rule = MagicMock() + other_rule.evaluate_while_simplifying = Mock(return_value=(other_rule, expected_result)) + rule = And(Or(other_rule)) + + _, actual_result = rule.evaluate_while_simplifying(collection_state) + + other_rule.evaluate_while_simplifying.assert_called_with(collection_state) + self.assertEqual(expected_result, actual_result) + + def test_return_complement_when_its_found(self): + expected_simplified = false_ + expected_result = False + collection_state = MagicMock() + rule = And(expected_simplified) + + actual_simplified, actual_result = rule.evaluate_while_simplifying(collection_state) + + self.assertEqual(expected_result, actual_result) + self.assertEqual(expected_simplified, actual_simplified) + + def test_short_circuit_when_complement_found(self): + collection_state = MagicMock() + other_rule = MagicMock() + rule = Or(true_, ) + + rule.evaluate_while_simplifying(collection_state) + + other_rule.evaluate_while_simplifying.assert_not_called() + + def test_short_circuit_when_combinable_rules_is_false(self): + collection_state = MagicMock() + other_rule = MagicMock() + rule = And(HasProgressionPercent(1, 10), other_rule) + + rule.evaluate_while_simplifying(collection_state) + + other_rule.evaluate_while_simplifying.assert_not_called() + + def test_identity_is_removed_from_other_rules(self): + collection_state = MagicMock() + rule = Or(false_, HasProgressionPercent(1, 10)) + + rule.evaluate_while_simplifying(collection_state) + + self.assertEqual(1, len(rule.current_rules)) + self.assertIn(HasProgressionPercent(1, 10), rule.current_rules) + + def test_complement_replaces_combinable_rules(self): + collection_state = MagicMock() + rule = Or(HasProgressionPercent(1, 10), true_) + + rule.evaluate_while_simplifying(collection_state) + + self.assertTrue(rule.current_rules) + + def test_simplifying_to_complement_propagates_complement(self): + expected_simplified = true_ + expected_result = True + collection_state = MagicMock() + rule = Or(Or(expected_simplified), HasProgressionPercent(1, 10)) + + actual_simplified, actual_result = rule.evaluate_while_simplifying(collection_state) + + self.assertEqual(expected_result, actual_result) + self.assertEqual(expected_simplified, actual_simplified) + self.assertTrue(rule.current_rules) + + def test_already_simplified_rules_are_not_simplified_again(self): + collection_state = MagicMock() + other_rule = MagicMock() + other_rule.evaluate_while_simplifying = Mock(return_value=(other_rule, False)) + rule = Or(other_rule, HasProgressionPercent(1, 10)) + + rule.evaluate_while_simplifying(collection_state) + other_rule.assert_not_called() + other_rule.evaluate_while_simplifying.reset_mock() + + rule.evaluate_while_simplifying(collection_state) + other_rule.assert_called_with(collection_state) + other_rule.evaluate_while_simplifying.assert_not_called() + + def test_continue_simplification_after_short_circuited(self): + collection_state = MagicMock() + a_rule = MagicMock() + a_rule.evaluate_while_simplifying = Mock(return_value=(a_rule, False)) + another_rule = MagicMock() + another_rule.evaluate_while_simplifying = Mock(return_value=(another_rule, False)) + rule = And(a_rule, another_rule) + + rule.evaluate_while_simplifying(collection_state) + # This test is completely messed up because sets are used internally and order of the rules cannot be ensured. + not_yet_simplified, already_simplified = (another_rule, a_rule) if a_rule.evaluate_while_simplifying.called else (a_rule, another_rule) + not_yet_simplified.evaluate_while_simplifying.assert_not_called() + already_simplified.return_value = True + + rule.evaluate_while_simplifying(collection_state) + not_yet_simplified.evaluate_while_simplifying.assert_called_with(collection_state) + + +class TestEvaluateWhileSimplifyingDoubleCalls(unittest.TestCase): + """ + So, there is a situation where a rule kind of calls itself while it's being evaluated, because its evaluation triggers a region cache refresh. + + The region cache check every entrance, so if a rule is also used in an entrances, it can be reevaluated. + + For instance, but not limited to + Has Melon -> (Farm & Summer) | Greenhouse -> Greenhouse triggers an update of the region cache + -> Every entrance are evaluated, for instance "can start farming" -> Look that any crop can be grown (calls Has Melon). + """ + + def test_nested_call_in_the_internal_rule_being_evaluated_does_check_the_internal_rule(self): + collection_state = MagicMock() + internal_rule = MagicMock() + rule = Or(internal_rule) + + called_once = False + internal_call_result = None + + def first_call_to_internal_rule(state): + nonlocal internal_call_result + nonlocal called_once + if called_once: + return internal_rule, True + called_once = True + + _, internal_call_result = rule.evaluate_while_simplifying(state) + internal_rule.evaluate_while_simplifying = Mock(return_value=(internal_rule, True)) + return internal_rule, True + + internal_rule.evaluate_while_simplifying = first_call_to_internal_rule + + rule.evaluate_while_simplifying(collection_state) + + self.assertTrue(called_once) + self.assertTrue(internal_call_result) + + def test_nested_call_to_already_simplified_rule_does_not_steal_rule_to_simplify_from_parent_call(self): + collection_state = MagicMock() + an_internal_rule = MagicMock() + an_internal_rule.evaluate_while_simplifying = Mock(return_value=(an_internal_rule, True)) + another_internal_rule = MagicMock() + another_internal_rule.evaluate_while_simplifying = Mock(return_value=(another_internal_rule, True)) + rule = Or(an_internal_rule, another_internal_rule) + + rule.evaluate_while_simplifying(collection_state) + # This test is completely messed up because sets are used internally and order of the rules cannot be ensured. + if an_internal_rule.evaluate_while_simplifying.called: + not_yet_simplified, already_simplified = another_internal_rule, an_internal_rule + else: + not_yet_simplified, already_simplified = an_internal_rule, another_internal_rule + + called_once = False + internal_call_result = None + + def call_to_already_simplified(state): + nonlocal internal_call_result + nonlocal called_once + if called_once: + return False + called_once = True + + _, internal_call_result = rule.evaluate_while_simplifying(state) + return False + + already_simplified.side_effect = call_to_already_simplified + not_yet_simplified.return_value = True + + _, actual_result = rule.evaluate_while_simplifying(collection_state) + + self.assertTrue(called_once) + self.assertTrue(internal_call_result) + self.assertTrue(actual_result) diff --git a/worlds/stardew_valley/test/__init__.py b/worlds/stardew_valley/test/__init__.py index ba037f7a65da..0b83a2dabac7 100644 --- a/worlds/stardew_valley/test/__init__.py +++ b/worlds/stardew_valley/test/__init__.py @@ -1,75 +1,164 @@ import os import unittest from argparse import Namespace -from typing import Dict, FrozenSet, Tuple, Any, ClassVar +from typing import Dict, FrozenSet, Tuple, Any, ClassVar, Iterable -from BaseClasses import MultiWorld +from BaseClasses import MultiWorld, CollectionState from Utils import cache_argsless -from test.TestBase import WorldTestBase +from test.bases import WorldTestBase from test.general import gen_steps, setup_solo_multiworld as setup_base_solo_multiworld -from .. import StardewValleyWorld -from ..mods.mod_data import ModNames from worlds.AutoWorld import call_all +from .. import StardewValleyWorld +from ..mods.mod_data import all_mods from ..options import Cropsanity, SkillProgression, SpecialOrderLocations, Friendsanity, NumberOfLuckBuffs, SeasonRandomization, ToolProgression, \ - ElevatorProgression, Museumsanity, BackpackProgression, BuildingProgression, ArcadeMachineLocations, HelpWantedLocations, Fishsanity, NumberOfMovementBuffs, \ - BundleRandomization, BundlePrice, FestivalLocations, FriendsanityHeartSize, ExcludeGingerIsland, TrapItems, Goal, Mods + ElevatorProgression, Museumsanity, BackpackProgression, BuildingProgression, ArcadeMachineLocations, QuestLocations, Fishsanity, NumberOfMovementBuffs, \ + BundleRandomization, BundlePrice, FestivalLocations, FriendsanityHeartSize, ExcludeGingerIsland, TrapItems, Goal, Mods, Monstersanity, Shipsanity, \ + Cooksanity, Chefsanity, Craftsanity -class SVTestCase(unittest.TestCase): - player: ClassVar[int] = 1 - """Set to False to not skip some 'extra' tests""" - skip_extra_tests: bool = True - """Set to False to run tests that take long""" - skip_long_tests: bool = True +@cache_argsless +def disable_5_x_x_options(): + return { + Monstersanity.internal_name: Monstersanity.option_none, + Shipsanity.internal_name: Shipsanity.option_none, + Cooksanity.internal_name: Cooksanity.option_none, + Chefsanity.internal_name: Chefsanity.option_none, + Craftsanity.internal_name: Craftsanity.option_none + } -class SVTestBase(WorldTestBase, SVTestCase): - game = "Stardew Valley" - world: StardewValleyWorld +@cache_argsless +def default_4_x_x_options(): + options = default_options() + options.update(disable_5_x_x_options()) + options.update({ + BundleRandomization.internal_name: BundleRandomization.option_shuffled, + }) + return options - def world_setup(self, *args, **kwargs): - super().world_setup(*args, **kwargs) - long_tests_key = "long" - if long_tests_key in os.environ: - self.skip_long_tests = not bool(os.environ[long_tests_key]) - if self.constructed: - self.world = self.multiworld.worlds[self.player] # noqa - @property - def run_default_tests(self) -> bool: - # world_setup is overridden, so it'd always run default tests when importing SVTestBase - is_not_stardew_test = type(self) is not SVTestBase - should_run_default_tests = is_not_stardew_test and super().run_default_tests - return should_run_default_tests +@cache_argsless +def default_options(): + return {} + + +@cache_argsless +def get_minsanity_options(): + minsanity = { + Goal.internal_name: Goal.option_bottom_of_the_mines, + BundleRandomization.internal_name: BundleRandomization.option_vanilla, + BundlePrice.internal_name: BundlePrice.option_very_cheap, + SeasonRandomization.internal_name: SeasonRandomization.option_disabled, + Cropsanity.internal_name: Cropsanity.option_disabled, + BackpackProgression.internal_name: BackpackProgression.option_vanilla, + ToolProgression.internal_name: ToolProgression.option_vanilla, + SkillProgression.internal_name: SkillProgression.option_vanilla, + BuildingProgression.internal_name: BuildingProgression.option_vanilla, + FestivalLocations.internal_name: FestivalLocations.option_disabled, + ElevatorProgression.internal_name: ElevatorProgression.option_vanilla, + ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_disabled, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_disabled, + QuestLocations.internal_name: -1, + Fishsanity.internal_name: Fishsanity.option_none, + Museumsanity.internal_name: Museumsanity.option_none, + Monstersanity.internal_name: Monstersanity.option_none, + Shipsanity.internal_name: Shipsanity.option_none, + Cooksanity.internal_name: Cooksanity.option_none, + Chefsanity.internal_name: Chefsanity.option_none, + Craftsanity.internal_name: Craftsanity.option_none, + Friendsanity.internal_name: Friendsanity.option_none, + FriendsanityHeartSize.internal_name: 8, + NumberOfMovementBuffs.internal_name: 0, + NumberOfLuckBuffs.internal_name: 0, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + TrapItems.internal_name: TrapItems.option_no_traps, + Mods.internal_name: (), + } + return minsanity @cache_argsless def minimal_locations_maximal_items(): min_max_options = { + Goal.internal_name: Goal.option_craft_master, + BundleRandomization.internal_name: BundleRandomization.option_shuffled, + BundlePrice.internal_name: BundlePrice.option_expensive, SeasonRandomization.internal_name: SeasonRandomization.option_randomized, - Cropsanity.internal_name: Cropsanity.option_enabled, + Cropsanity.internal_name: Cropsanity.option_disabled, BackpackProgression.internal_name: BackpackProgression.option_vanilla, ToolProgression.internal_name: ToolProgression.option_vanilla, SkillProgression.internal_name: SkillProgression.option_vanilla, BuildingProgression.internal_name: BuildingProgression.option_vanilla, + FestivalLocations.internal_name: FestivalLocations.option_disabled, ElevatorProgression.internal_name: ElevatorProgression.option_vanilla, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_disabled, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_disabled, - HelpWantedLocations.internal_name: 0, + QuestLocations.internal_name: -1, Fishsanity.internal_name: Fishsanity.option_none, Museumsanity.internal_name: Museumsanity.option_none, + Monstersanity.internal_name: Monstersanity.option_none, + Shipsanity.internal_name: Shipsanity.option_none, + Cooksanity.internal_name: Cooksanity.option_none, + Chefsanity.internal_name: Chefsanity.option_none, + Craftsanity.internal_name: Craftsanity.option_none, Friendsanity.internal_name: Friendsanity.option_none, + FriendsanityHeartSize.internal_name: 8, NumberOfMovementBuffs.internal_name: 12, NumberOfLuckBuffs.internal_name: 12, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + TrapItems.internal_name: TrapItems.option_nightmare, + Mods.internal_name: (), } return min_max_options +@cache_argsless +def minimal_locations_maximal_items_with_island(): + min_max_options = minimal_locations_maximal_items() + min_max_options.update({ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_false}) + return min_max_options + + +@cache_argsless +def allsanity_4_x_x_options_without_mods(): + options = { + Goal.internal_name: Goal.option_perfection, + BundleRandomization.internal_name: BundleRandomization.option_thematic, + BundlePrice.internal_name: BundlePrice.option_expensive, + SeasonRandomization.internal_name: SeasonRandomization.option_randomized, + Cropsanity.internal_name: Cropsanity.option_enabled, + BackpackProgression.internal_name: BackpackProgression.option_progressive, + ToolProgression.internal_name: ToolProgression.option_progressive, + SkillProgression.internal_name: SkillProgression.option_progressive, + BuildingProgression.internal_name: BuildingProgression.option_progressive, + FestivalLocations.internal_name: FestivalLocations.option_hard, + ElevatorProgression.internal_name: ElevatorProgression.option_progressive, + ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_full_shuffling, + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, + QuestLocations.internal_name: 56, + Fishsanity.internal_name: Fishsanity.option_all, + Museumsanity.internal_name: Museumsanity.option_all, + Monstersanity.internal_name: Monstersanity.option_progressive_goals, + Shipsanity.internal_name: Shipsanity.option_everything, + Cooksanity.internal_name: Cooksanity.option_all, + Chefsanity.internal_name: Chefsanity.option_all, + Craftsanity.internal_name: Craftsanity.option_all, + Friendsanity.internal_name: Friendsanity.option_all_with_marriage, + FriendsanityHeartSize.internal_name: 1, + NumberOfMovementBuffs.internal_name: 12, + NumberOfLuckBuffs.internal_name: 12, + ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_false, + TrapItems.internal_name: TrapItems.option_nightmare, + } + options.update(disable_5_x_x_options()) + return options + + @cache_argsless def allsanity_options_without_mods(): allsanity = { Goal.internal_name: Goal.option_perfection, - BundleRandomization.internal_name: BundleRandomization.option_shuffled, + BundleRandomization.internal_name: BundleRandomization.option_thematic, BundlePrice.internal_name: BundlePrice.option_expensive, SeasonRandomization.internal_name: SeasonRandomization.option_randomized, Cropsanity.internal_name: Cropsanity.option_enabled, @@ -81,9 +170,14 @@ def allsanity_options_without_mods(): ElevatorProgression.internal_name: ElevatorProgression.option_progressive, ArcadeMachineLocations.internal_name: ArcadeMachineLocations.option_full_shuffling, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, - HelpWantedLocations.internal_name: 56, + QuestLocations.internal_name: 56, Fishsanity.internal_name: Fishsanity.option_all, Museumsanity.internal_name: Museumsanity.option_all, + Monstersanity.internal_name: Monstersanity.option_progressive_goals, + Shipsanity.internal_name: Shipsanity.option_everything, + Cooksanity.internal_name: Cooksanity.option_all, + Chefsanity.internal_name: Chefsanity.option_all, + Craftsanity.internal_name: Craftsanity.option_all, Friendsanity.internal_name: Friendsanity.option_all_with_marriage, FriendsanityHeartSize.internal_name: 1, NumberOfMovementBuffs.internal_name: 12, @@ -98,24 +192,65 @@ def allsanity_options_without_mods(): def allsanity_options_with_mods(): allsanity = {} allsanity.update(allsanity_options_without_mods()) - all_mods = ( - ModNames.deepwoods, ModNames.tractor, ModNames.big_backpack, - ModNames.luck_skill, ModNames.magic, ModNames.socializing_skill, ModNames.archaeology, - ModNames.cooking_skill, ModNames.binning_skill, ModNames.juna, - ModNames.jasper, ModNames.alec, ModNames.yoba, ModNames.eugene, - ModNames.wellwick, ModNames.ginger, ModNames.shiko, ModNames.delores, - ModNames.ayeisha, ModNames.riley, ModNames.skull_cavern_elevator - ) allsanity.update({Mods.internal_name: all_mods}) return allsanity +class SVTestCase(unittest.TestCase): + game = "Stardew Valley" + world: StardewValleyWorld + player: ClassVar[int] = 1 + # Set False to not skip some 'extra' tests + skip_base_tests: bool = True + # Set False to run tests that take long + skip_long_tests: bool = True + + options = get_minsanity_options() + + @classmethod + def setUpClass(cls) -> None: + super().setUpClass() + base_tests_key = "base" + if base_tests_key in os.environ: + cls.skip_base_tests = not bool(os.environ[base_tests_key]) + long_tests_key = "long" + if long_tests_key in os.environ: + cls.skip_long_tests = not bool(os.environ[long_tests_key]) + + +class SVTestBase(WorldTestBase, SVTestCase): + seed = None + + def world_setup(self, *args, **kwargs): + super().world_setup(seed=self.seed) + if self.constructed: + self.world = self.multiworld.worlds[self.player] # noqa + + @property + def run_default_tests(self) -> bool: + if self.skip_base_tests: + return False + # world_setup is overridden, so it'd always run default tests when importing SVTestBase + is_not_stardew_test = type(self) is not SVTestBase + should_run_default_tests = is_not_stardew_test and super().run_default_tests + return should_run_default_tests + + def collect_lots_of_money(self): + self.multiworld.state.collect(self.world.create_item("Shipping Bin"), event=False) + for i in range(100): + self.multiworld.state.collect(self.world.create_item("Stardrop"), event=False) + + def collect_all_the_money(self): + self.multiworld.state.collect(self.world.create_item("Shipping Bin"), event=False) + for i in range(1000): + self.multiworld.state.collect(self.world.create_item("Stardrop"), event=False) + + pre_generated_worlds = {} # Mostly a copy of test.general.setup_solo_multiworld, I just don't want to change the core. -def setup_solo_multiworld(test_options=None, seed=None, - _cache: Dict[FrozenSet[Tuple[str, Any]], MultiWorld] = {}) -> MultiWorld: # noqa +def setup_solo_multiworld(test_options=None, seed=None, _cache: Dict[FrozenSet[Tuple[str, Any]], MultiWorld] = {}, _steps=gen_steps) -> MultiWorld: # noqa if test_options is None: test_options = {} @@ -132,9 +267,36 @@ def setup_solo_multiworld(test_options=None, seed=None, value = option(test_options[name]) if name in test_options else option.from_any(option.default) setattr(args, name, {1: value}) multiworld.set_options(args) - for step in gen_steps: + for step in _steps: call_all(multiworld, step) _cache[frozen_options] = multiworld return multiworld + + +def setup_multiworld(test_options: Iterable[Dict[str, int]] = None, seed=None) -> MultiWorld: # noqa + if test_options is None: + test_options = [] + + multiworld = MultiWorld(len(test_options)) + multiworld.player_name = {} + multiworld.set_seed(seed) + multiworld.state = CollectionState(multiworld) + for i in range(1, len(test_options) + 1): + multiworld.game[i] = StardewValleyWorld.game + multiworld.player_name.update({i: f"Tester{i}"}) + args = Namespace() + for name, option in StardewValleyWorld.options_dataclass.type_hints.items(): + options = {} + for i in range(1, len(test_options) + 1): + player_options = test_options[i - 1] + value = option(player_options[name]) if name in player_options else option.from_any(option.default) + options.update({i: value}) + setattr(args, name, options) + multiworld.set_options(args) + + for step in gen_steps: + call_all(multiworld, step) + + return multiworld diff --git a/worlds/stardew_valley/test/checks/goal_checks.py b/worlds/stardew_valley/test/checks/goal_checks.py index d0f06a6caafa..82b2c51d9c56 100644 --- a/worlds/stardew_valley/test/checks/goal_checks.py +++ b/worlds/stardew_valley/test/checks/goal_checks.py @@ -1,7 +1,7 @@ from BaseClasses import MultiWorld from .option_checks import get_stardew_options -from ... import options -from .. import SVTestBase +from ... import options, ExcludeGingerIsland +from .. import SVTestCase def is_goal(multiworld: MultiWorld, goal: int) -> bool: @@ -32,24 +32,24 @@ def is_not_perfection(multiworld: MultiWorld) -> bool: return not is_perfection(multiworld) -def assert_ginger_island_is_included(tester: SVTestBase, multiworld: MultiWorld): - tester.assertEqual(get_stardew_options(multiworld).exclude_ginger_island, options.ExcludeGingerIsland.option_false) +def assert_ginger_island_is_included(tester: SVTestCase, multiworld: MultiWorld): + tester.assertEqual(get_stardew_options(multiworld).exclude_ginger_island, ExcludeGingerIsland.option_false) -def assert_walnut_hunter_world_is_valid(tester: SVTestBase, multiworld: MultiWorld): +def assert_walnut_hunter_world_is_valid(tester: SVTestCase, multiworld: MultiWorld): if is_not_walnut_hunter(multiworld): return assert_ginger_island_is_included(tester, multiworld) -def assert_perfection_world_is_valid(tester: SVTestBase, multiworld: MultiWorld): +def assert_perfection_world_is_valid(tester: SVTestCase, multiworld: MultiWorld): if is_not_perfection(multiworld): return assert_ginger_island_is_included(tester, multiworld) -def assert_goal_world_is_valid(tester: SVTestBase, multiworld: MultiWorld): +def assert_goal_world_is_valid(tester: SVTestCase, multiworld: MultiWorld): assert_walnut_hunter_world_is_valid(tester, multiworld) assert_perfection_world_is_valid(tester, multiworld) diff --git a/worlds/stardew_valley/test/checks/option_checks.py b/worlds/stardew_valley/test/checks/option_checks.py index c9d9860cf52b..42ae2f496113 100644 --- a/worlds/stardew_valley/test/checks/option_checks.py +++ b/worlds/stardew_valley/test/checks/option_checks.py @@ -1,7 +1,7 @@ from BaseClasses import MultiWorld from .world_checks import get_all_item_names, get_all_location_names -from .. import SVTestBase -from ... import StardewValleyWorld, options, item_table, Group, location_table +from .. import SVTestCase +from ... import StardewValleyWorld, options, item_table, Group, location_table, ExcludeGingerIsland from ...locations import LocationTags from ...strings.ap_names.transport_names import Transportation @@ -18,28 +18,48 @@ def get_stardew_options(multiworld: MultiWorld) -> options.StardewValleyOptions: return get_stardew_world(multiworld).options -def assert_can_reach_island(tester: SVTestBase, multiworld: MultiWorld): +def assert_has_item(tester: SVTestCase, multiworld: MultiWorld, item: str): + all_item_names = set(get_all_item_names(multiworld)) + tester.assertIn(item, all_item_names) + + +def assert_has_not_item(tester: SVTestCase, multiworld: MultiWorld, item: str): + all_item_names = set(get_all_item_names(multiworld)) + tester.assertNotIn(item, all_item_names) + + +def assert_has_location(tester: SVTestCase, multiworld: MultiWorld, item: str): + all_location_names = set(get_all_location_names(multiworld)) + tester.assertIn(item, all_location_names) + + +def assert_has_not_location(tester: SVTestCase, multiworld: MultiWorld, item: str): + all_location_names = set(get_all_location_names(multiworld)) + tester.assertNotIn(item, all_location_names) + + +def assert_can_reach_island(tester: SVTestCase, multiworld: MultiWorld): all_item_names = get_all_item_names(multiworld) tester.assertIn(Transportation.boat_repair, all_item_names) tester.assertIn(Transportation.island_obelisk, all_item_names) -def assert_cannot_reach_island(tester: SVTestBase, multiworld: MultiWorld): +def assert_cannot_reach_island(tester: SVTestCase, multiworld: MultiWorld): all_item_names = get_all_item_names(multiworld) tester.assertNotIn(Transportation.boat_repair, all_item_names) tester.assertNotIn(Transportation.island_obelisk, all_item_names) -def assert_can_reach_island_if_should(tester: SVTestBase, multiworld: MultiWorld): +def assert_can_reach_island_if_should(tester: SVTestCase, multiworld: MultiWorld): stardew_options = get_stardew_options(multiworld) - include_island = stardew_options.exclude_ginger_island.value == options.ExcludeGingerIsland.option_false + include_island = stardew_options.exclude_ginger_island.value == ExcludeGingerIsland.option_false if include_island: assert_can_reach_island(tester, multiworld) else: assert_cannot_reach_island(tester, multiworld) -def assert_cropsanity_same_number_items_and_locations(tester: SVTestBase, multiworld: MultiWorld): +def assert_cropsanity_same_number_items_and_locations(tester: SVTestCase, multiworld: MultiWorld): is_cropsanity = get_stardew_options(multiworld).cropsanity.value == options.Cropsanity.option_enabled if not is_cropsanity: return @@ -51,18 +71,17 @@ def assert_cropsanity_same_number_items_and_locations(tester: SVTestBase, multiw tester.assertEqual(len(all_cropsanity_item_names), len(all_cropsanity_location_names)) -def assert_all_rarecrows_exist(tester: SVTestBase, multiworld: MultiWorld): +def assert_all_rarecrows_exist(tester: SVTestCase, multiworld: MultiWorld): all_item_names = set(get_all_item_names(multiworld)) for rarecrow_number in range(1, 9): tester.assertIn(f"Rarecrow #{rarecrow_number}", all_item_names) -def assert_has_deluxe_scarecrow_recipe(tester: SVTestBase, multiworld: MultiWorld): - all_item_names = set(get_all_item_names(multiworld)) - tester.assertIn(f"Deluxe Scarecrow Recipe", all_item_names) +def assert_has_deluxe_scarecrow_recipe(tester: SVTestCase, multiworld: MultiWorld): + assert_has_item(tester, multiworld, "Deluxe Scarecrow Recipe") -def assert_festivals_give_access_to_deluxe_scarecrow(tester: SVTestBase, multiworld: MultiWorld): +def assert_festivals_give_access_to_deluxe_scarecrow(tester: SVTestCase, multiworld: MultiWorld): stardew_options = get_stardew_options(multiworld) has_festivals = stardew_options.festival_locations.value != options.FestivalLocations.option_disabled if not has_festivals: @@ -70,3 +89,17 @@ def assert_festivals_give_access_to_deluxe_scarecrow(tester: SVTestBase, multiwo assert_all_rarecrows_exist(tester, multiworld) assert_has_deluxe_scarecrow_recipe(tester, multiworld) + + +def assert_has_festival_recipes(tester: SVTestCase, multiworld: MultiWorld): + stardew_options = get_stardew_options(multiworld) + has_festivals = stardew_options.festival_locations.value != options.FestivalLocations.option_disabled + festival_items = ["Tub o' Flowers Recipe", "Jack-O-Lantern Recipe"] + for festival_item in festival_items: + if has_festivals: + assert_has_item(tester, multiworld, festival_item) + assert_has_location(tester, multiworld, festival_item) + else: + assert_has_not_item(tester, multiworld, festival_item) + assert_has_not_location(tester, multiworld, festival_item) + diff --git a/worlds/stardew_valley/test/checks/world_checks.py b/worlds/stardew_valley/test/checks/world_checks.py index 9bd9fd614c26..e2b5d9b7b392 100644 --- a/worlds/stardew_valley/test/checks/world_checks.py +++ b/worlds/stardew_valley/test/checks/world_checks.py @@ -17,17 +17,38 @@ def assert_victory_exists(tester: unittest.TestCase, multiworld: MultiWorld): tester.assertIn(StardewItem("Victory", ItemClassification.progression, None, 1), multiworld.get_items()) -def collect_all_then_assert_can_win(tester: unittest.TestCase, multiworld: MultiWorld): - for item in multiworld.get_items(): - multiworld.state.collect(item) - tester.assertTrue(multiworld.find_item("Victory", 1).can_reach(multiworld.state)) +def can_reach_victory(multiworld: MultiWorld) -> (bool, str): + victory = multiworld.find_item("Victory", 1) + can_win = victory.can_reach(multiworld.state) + return can_win, victory.access_rule.explain(multiworld.state) + + +def assert_can_reach_victory(tester: unittest.TestCase, multiworld: MultiWorld): + tester.assertTrue(*can_reach_victory(multiworld)) def assert_can_win(tester: unittest.TestCase, multiworld: MultiWorld): assert_victory_exists(tester, multiworld) - collect_all_then_assert_can_win(tester, multiworld) + assert_can_reach_victory(tester, multiworld) def assert_same_number_items_locations(tester: unittest.TestCase, multiworld: MultiWorld): non_event_locations = [location for location in multiworld.get_locations() if not location.event] - tester.assertEqual(len(multiworld.itempool), len(non_event_locations)) \ No newline at end of file + tester.assertEqual(len(multiworld.itempool), len(non_event_locations)) + + +def assert_can_reach_everything(tester: unittest.TestCase, multiworld: MultiWorld): + for location in multiworld.get_locations(): + can_reach = location.can_reach(multiworld.state) + if hasattr(location.access_rule, "explain"): + tester.assertTrue(can_reach, location.access_rule.explain(multiworld.state)) + else: + tester.assertTrue(can_reach) + + +def basic_checks(tester: unittest.TestCase, multiworld: MultiWorld): + assert_same_number_items_locations(tester, multiworld) + for item in multiworld.get_items(): + multiworld.state.collect(item) + assert_can_win(tester, multiworld) + assert_can_reach_everything(tester, multiworld) diff --git a/worlds/stardew_valley/test/long/TestOptionsLong.py b/worlds/stardew_valley/test/long/TestOptionsLong.py index e3da6968ed43..84a5c218d5a2 100644 --- a/worlds/stardew_valley/test/long/TestOptionsLong.py +++ b/worlds/stardew_valley/test/long/TestOptionsLong.py @@ -1,16 +1,12 @@ -import unittest +from random import random from typing import Dict -from BaseClasses import MultiWorld from Options import NamedRange from .option_names import options_to_include -from worlds.stardew_valley.test.checks.world_checks import assert_can_win, assert_same_number_items_locations -from .. import setup_solo_multiworld, SVTestCase - - -def basic_checks(tester: unittest.TestCase, multiworld: MultiWorld): - assert_can_win(tester, multiworld) - assert_same_number_items_locations(tester, multiworld) +from ..checks.world_checks import basic_checks +from .. import setup_solo_multiworld, SVTestCase, SVTestBase +from ... import Goal +from ...options import EntranceRandomization, SpecialOrderLocations, Monstersanity def get_option_choices(option) -> Dict[str, int]: @@ -34,8 +30,26 @@ def test_given_option_pair_when_generate_then_basic_checks(self): option2_choices = get_option_choices(option2) for key1 in option1_choices: for key2 in option2_choices: - with self.subTest(f"{option1.internal_name}: {key1}, {option2.internal_name}: {key2}"): + seed = int(random() * pow(10, 18) - 1) + # seed = 738592514038774912 + with self.subTest(f"{option1.internal_name}: {key1}, {option2.internal_name}: {key2} [SEED: {seed}]"): choices = {option1.internal_name: option1_choices[key1], option2.internal_name: option2_choices[key2]} - multiworld = setup_solo_multiworld(choices) - basic_checks(self, multiworld) \ No newline at end of file + multiworld = setup_solo_multiworld(choices, seed) + basic_checks(self, multiworld) + + +class TestDynamicOptionDebug(SVTestCase): + + def test_option_pair_debug(self): + options = { + SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, + Monstersanity.internal_name: Monstersanity.option_one_per_monster, + } + for i in range(1): + # seed = int(random() * pow(10, 18) - 1) + seed = 823942126251776128 + with self.subTest(f"Seed: {seed}"): + print(f"Seed: {seed}") + multiworld = setup_solo_multiworld(options, seed) + basic_checks(self, multiworld) diff --git a/worlds/stardew_valley/test/long/TestPreRolledRandomness.py b/worlds/stardew_valley/test/long/TestPreRolledRandomness.py new file mode 100644 index 000000000000..ee7d590497c9 --- /dev/null +++ b/worlds/stardew_valley/test/long/TestPreRolledRandomness.py @@ -0,0 +1,20 @@ +from random import random +from ..checks.world_checks import basic_checks +from .. import setup_solo_multiworld, SVTestCase +from ...options import EntranceRandomization, BundleRandomization, BundlePrice + + +class TestGeneratePreRolledRandomness(SVTestCase): + def test_given_pre_rolled_difficult_randomness_when_generate_then_basic_checks(self): + if self.skip_long_tests: + return + choices = {EntranceRandomization.internal_name: EntranceRandomization.option_buildings, + BundleRandomization.internal_name: BundleRandomization.option_remixed, + BundlePrice.internal_name: BundlePrice.option_maximum} + num_tests = 1000 + for i in range(num_tests): + seed = int(random() * pow(10, 18) - 1) + # seed = 738592514038774912 + with self.subTest(f"Entrance Randomizer and Remixed Bundles [SEED: {seed}]"): + multiworld = setup_solo_multiworld(choices, seed) + basic_checks(self, multiworld) \ No newline at end of file diff --git a/worlds/stardew_valley/test/long/TestRandomWorlds.py b/worlds/stardew_valley/test/long/TestRandomWorlds.py index 1f1d59652c5e..62ad7d7c1cc1 100644 --- a/worlds/stardew_valley/test/long/TestRandomWorlds.py +++ b/worlds/stardew_valley/test/long/TestRandomWorlds.py @@ -1,14 +1,14 @@ -from typing import Dict import random +from typing import Dict from BaseClasses import MultiWorld from Options import NamedRange, Range -from .option_names import options_to_include from .. import setup_solo_multiworld, SVTestCase -from ..checks.goal_checks import assert_perfection_world_is_valid, assert_goal_world_is_valid +from ..checks.goal_checks import assert_goal_world_is_valid from ..checks.option_checks import assert_can_reach_island_if_should, assert_cropsanity_same_number_items_and_locations, \ - assert_festivals_give_access_to_deluxe_scarecrow + assert_festivals_give_access_to_deluxe_scarecrow, assert_has_festival_recipes from ..checks.world_checks import assert_same_number_items_locations, assert_victory_exists +from .option_names import options_to_include def get_option_choices(option) -> Dict[str, int]: @@ -57,18 +57,20 @@ def get_number_log_steps(number_worlds: int) -> int: return 100 -def generate_many_worlds(number_worlds: int, start_index: int) -> Dict[int, MultiWorld]: +def generate_and_check_many_worlds(tester: SVTestCase, number_worlds: int, start_index: int) -> Dict[int, MultiWorld]: num_steps = get_number_log_steps(number_worlds) log_step = number_worlds / num_steps multiworlds = dict() print(f"Generating {number_worlds} Solo Multiworlds [Start Seed: {start_index}] for Stardew Valley...") for world_number in range(0, number_worlds + 1): world_id = world_number + start_index - multiworld = generate_random_multiworld(world_id) - multiworlds[world_id] = multiworld + with tester.subTest(f"Multiworld: {world_id}"): + multiworld = generate_random_multiworld(world_id) + multiworlds[world_id] = multiworld + check_multiworld_is_valid(tester, world_id, multiworld) if world_number > 0 and world_number % log_step == 0: - print(f"Generated {world_number}/{number_worlds} worlds [{(world_number * 100) // number_worlds}%]") - print(f"Finished generating {number_worlds} Solo Multiworlds for Stardew Valley") + print(f"Generated and Verified {world_number}/{number_worlds} worlds [{(world_number * 100) // number_worlds}%]") + print(f"Finished generating and verifying {number_worlds} Solo Multiworlds for Stardew Valley") return multiworlds @@ -86,13 +88,13 @@ def check_multiworld_is_valid(tester: SVTestCase, multiworld_id: int, multiworld assert_can_reach_island_if_should(tester, multiworld) assert_cropsanity_same_number_items_and_locations(tester, multiworld) assert_festivals_give_access_to_deluxe_scarecrow(tester, multiworld) + assert_has_festival_recipes(tester, multiworld) class TestGenerateManyWorlds(SVTestCase): def test_generate_many_worlds_then_check_results(self): if self.skip_long_tests: return - number_worlds = 1000 + number_worlds = 10 if self.skip_long_tests else 1000 start_index = random.Random().randint(0, 9999999999) - multiworlds = generate_many_worlds(number_worlds, start_index) - check_every_multiworld_is_valid(self, multiworlds) + multiworlds = generate_and_check_many_worlds(self, number_worlds, start_index) diff --git a/worlds/stardew_valley/test/mods/TestBiggerBackpack.py b/worlds/stardew_valley/test/mods/TestBiggerBackpack.py index bc81f21963d8..4b35b0471e1b 100644 --- a/worlds/stardew_valley/test/mods/TestBiggerBackpack.py +++ b/worlds/stardew_valley/test/mods/TestBiggerBackpack.py @@ -1,11 +1,11 @@ from .. import SVTestBase -from ... import options from ...mods.mod_data import ModNames +from ...options import Mods, BackpackProgression class TestBiggerBackpackVanilla(SVTestBase): - options = {options.BackpackProgression.internal_name: options.BackpackProgression.option_vanilla, - options.Mods.internal_name: ModNames.big_backpack} + options = {BackpackProgression.internal_name: BackpackProgression.option_vanilla, + Mods.internal_name: ModNames.big_backpack} def test_no_backpack(self): with self.subTest(check="no items"): @@ -20,8 +20,8 @@ def test_no_backpack(self): class TestBiggerBackpackProgressive(SVTestBase): - options = {options.BackpackProgression.internal_name: options.BackpackProgression.option_progressive, - options.Mods.internal_name: ModNames.big_backpack} + options = {BackpackProgression.internal_name: BackpackProgression.option_progressive, + Mods.internal_name: ModNames.big_backpack} def test_backpack(self): with self.subTest(check="has items"): @@ -36,8 +36,8 @@ def test_backpack(self): class TestBiggerBackpackEarlyProgressive(TestBiggerBackpackProgressive): - options = {options.BackpackProgression.internal_name: options.BackpackProgression.option_early_progressive, - options.Mods.internal_name: ModNames.big_backpack} + options = {BackpackProgression.internal_name: BackpackProgression.option_early_progressive, + Mods.internal_name: ModNames.big_backpack} def test_backpack(self): super().test_backpack() diff --git a/worlds/stardew_valley/test/mods/TestModFish.py b/worlds/stardew_valley/test/mods/TestModFish.py new file mode 100644 index 000000000000..81ac6ac0fb99 --- /dev/null +++ b/worlds/stardew_valley/test/mods/TestModFish.py @@ -0,0 +1,226 @@ +import unittest +from typing import Set + +from ...data.fish_data import get_fish_for_mods +from ...mods.mod_data import ModNames +from ...strings.fish_names import Fish, SVEFish + +no_mods: Set[str] = set() +sve: Set[str] = {ModNames.sve} + + +class TestGetFishForMods(unittest.TestCase): + + def test_no_mods_all_vanilla_fish(self): + all_fish = get_fish_for_mods(no_mods) + fish_names = {fish.name for fish in all_fish} + + self.assertIn(Fish.albacore, fish_names) + self.assertIn(Fish.anchovy, fish_names) + self.assertIn(Fish.blue_discus, fish_names) + self.assertIn(Fish.bream, fish_names) + self.assertIn(Fish.bullhead, fish_names) + self.assertIn(Fish.carp, fish_names) + self.assertIn(Fish.catfish, fish_names) + self.assertIn(Fish.chub, fish_names) + self.assertIn(Fish.dorado, fish_names) + self.assertIn(Fish.eel, fish_names) + self.assertIn(Fish.flounder, fish_names) + self.assertIn(Fish.ghostfish, fish_names) + self.assertIn(Fish.halibut, fish_names) + self.assertIn(Fish.herring, fish_names) + self.assertIn(Fish.ice_pip, fish_names) + self.assertIn(Fish.largemouth_bass, fish_names) + self.assertIn(Fish.lava_eel, fish_names) + self.assertIn(Fish.lingcod, fish_names) + self.assertIn(Fish.lionfish, fish_names) + self.assertIn(Fish.midnight_carp, fish_names) + self.assertIn(Fish.octopus, fish_names) + self.assertIn(Fish.perch, fish_names) + self.assertIn(Fish.pike, fish_names) + self.assertIn(Fish.pufferfish, fish_names) + self.assertIn(Fish.rainbow_trout, fish_names) + self.assertIn(Fish.red_mullet, fish_names) + self.assertIn(Fish.red_snapper, fish_names) + self.assertIn(Fish.salmon, fish_names) + self.assertIn(Fish.sandfish, fish_names) + self.assertIn(Fish.sardine, fish_names) + self.assertIn(Fish.scorpion_carp, fish_names) + self.assertIn(Fish.sea_cucumber, fish_names) + self.assertIn(Fish.shad, fish_names) + self.assertIn(Fish.slimejack, fish_names) + self.assertIn(Fish.smallmouth_bass, fish_names) + self.assertIn(Fish.squid, fish_names) + self.assertIn(Fish.stingray, fish_names) + self.assertIn(Fish.stonefish, fish_names) + self.assertIn(Fish.sturgeon, fish_names) + self.assertIn(Fish.sunfish, fish_names) + self.assertIn(Fish.super_cucumber, fish_names) + self.assertIn(Fish.tiger_trout, fish_names) + self.assertIn(Fish.tilapia, fish_names) + self.assertIn(Fish.tuna, fish_names) + self.assertIn(Fish.void_salmon, fish_names) + self.assertIn(Fish.walleye, fish_names) + self.assertIn(Fish.woodskip, fish_names) + self.assertIn(Fish.blob_fish, fish_names) + self.assertIn(Fish.midnight_squid, fish_names) + self.assertIn(Fish.spook_fish, fish_names) + self.assertIn(Fish.angler, fish_names) + self.assertIn(Fish.crimsonfish, fish_names) + self.assertIn(Fish.glacierfish, fish_names) + self.assertIn(Fish.legend, fish_names) + self.assertIn(Fish.mutant_carp, fish_names) + self.assertIn(Fish.ms_angler, fish_names) + self.assertIn(Fish.son_of_crimsonfish, fish_names) + self.assertIn(Fish.glacierfish_jr, fish_names) + self.assertIn(Fish.legend_ii, fish_names) + self.assertIn(Fish.radioactive_carp, fish_names) + self.assertIn(Fish.clam, fish_names) + self.assertIn(Fish.cockle, fish_names) + self.assertIn(Fish.crab, fish_names) + self.assertIn(Fish.crayfish, fish_names) + self.assertIn(Fish.lobster, fish_names) + self.assertIn(Fish.mussel, fish_names) + self.assertIn(Fish.oyster, fish_names) + self.assertIn(Fish.periwinkle, fish_names) + self.assertIn(Fish.shrimp, fish_names) + self.assertIn(Fish.snail, fish_names) + + def test_no_mods_no_sve_fish(self): + all_fish = get_fish_for_mods(no_mods) + fish_names = {fish.name for fish in all_fish} + + self.assertNotIn(SVEFish.baby_lunaloo, fish_names) + self.assertNotIn(SVEFish.bonefish, fish_names) + self.assertNotIn(SVEFish.bull_trout, fish_names) + self.assertNotIn(SVEFish.butterfish, fish_names) + self.assertNotIn(SVEFish.clownfish, fish_names) + self.assertNotIn(SVEFish.daggerfish, fish_names) + self.assertNotIn(SVEFish.frog, fish_names) + self.assertNotIn(SVEFish.gemfish, fish_names) + self.assertNotIn(SVEFish.goldenfish, fish_names) + self.assertNotIn(SVEFish.grass_carp, fish_names) + self.assertNotIn(SVEFish.king_salmon, fish_names) + self.assertNotIn(SVEFish.kittyfish, fish_names) + self.assertNotIn(SVEFish.lunaloo, fish_names) + self.assertNotIn(SVEFish.meteor_carp, fish_names) + self.assertNotIn(SVEFish.minnow, fish_names) + self.assertNotIn(SVEFish.puppyfish, fish_names) + self.assertNotIn(SVEFish.radioactive_bass, fish_names) + self.assertNotIn(SVEFish.seahorse, fish_names) + self.assertNotIn(SVEFish.shiny_lunaloo, fish_names) + self.assertNotIn(SVEFish.snatcher_worm, fish_names) + self.assertNotIn(SVEFish.starfish, fish_names) + self.assertNotIn(SVEFish.torpedo_trout, fish_names) + self.assertNotIn(SVEFish.undeadfish, fish_names) + self.assertNotIn(SVEFish.void_eel, fish_names) + self.assertNotIn(SVEFish.water_grub, fish_names) + self.assertNotIn(SVEFish.sea_sponge, fish_names) + self.assertNotIn(SVEFish.dulse_seaweed, fish_names) + + def test_sve_all_vanilla_fish(self): + all_fish = get_fish_for_mods(no_mods) + fish_names = {fish.name for fish in all_fish} + + self.assertIn(Fish.albacore, fish_names) + self.assertIn(Fish.anchovy, fish_names) + self.assertIn(Fish.blue_discus, fish_names) + self.assertIn(Fish.bream, fish_names) + self.assertIn(Fish.bullhead, fish_names) + self.assertIn(Fish.carp, fish_names) + self.assertIn(Fish.catfish, fish_names) + self.assertIn(Fish.chub, fish_names) + self.assertIn(Fish.dorado, fish_names) + self.assertIn(Fish.eel, fish_names) + self.assertIn(Fish.flounder, fish_names) + self.assertIn(Fish.ghostfish, fish_names) + self.assertIn(Fish.halibut, fish_names) + self.assertIn(Fish.herring, fish_names) + self.assertIn(Fish.ice_pip, fish_names) + self.assertIn(Fish.largemouth_bass, fish_names) + self.assertIn(Fish.lava_eel, fish_names) + self.assertIn(Fish.lingcod, fish_names) + self.assertIn(Fish.lionfish, fish_names) + self.assertIn(Fish.midnight_carp, fish_names) + self.assertIn(Fish.octopus, fish_names) + self.assertIn(Fish.perch, fish_names) + self.assertIn(Fish.pike, fish_names) + self.assertIn(Fish.pufferfish, fish_names) + self.assertIn(Fish.rainbow_trout, fish_names) + self.assertIn(Fish.red_mullet, fish_names) + self.assertIn(Fish.red_snapper, fish_names) + self.assertIn(Fish.salmon, fish_names) + self.assertIn(Fish.sandfish, fish_names) + self.assertIn(Fish.sardine, fish_names) + self.assertIn(Fish.scorpion_carp, fish_names) + self.assertIn(Fish.sea_cucumber, fish_names) + self.assertIn(Fish.shad, fish_names) + self.assertIn(Fish.slimejack, fish_names) + self.assertIn(Fish.smallmouth_bass, fish_names) + self.assertIn(Fish.squid, fish_names) + self.assertIn(Fish.stingray, fish_names) + self.assertIn(Fish.stonefish, fish_names) + self.assertIn(Fish.sturgeon, fish_names) + self.assertIn(Fish.sunfish, fish_names) + self.assertIn(Fish.super_cucumber, fish_names) + self.assertIn(Fish.tiger_trout, fish_names) + self.assertIn(Fish.tilapia, fish_names) + self.assertIn(Fish.tuna, fish_names) + self.assertIn(Fish.void_salmon, fish_names) + self.assertIn(Fish.walleye, fish_names) + self.assertIn(Fish.woodskip, fish_names) + self.assertIn(Fish.blob_fish, fish_names) + self.assertIn(Fish.midnight_squid, fish_names) + self.assertIn(Fish.spook_fish, fish_names) + self.assertIn(Fish.angler, fish_names) + self.assertIn(Fish.crimsonfish, fish_names) + self.assertIn(Fish.glacierfish, fish_names) + self.assertIn(Fish.legend, fish_names) + self.assertIn(Fish.mutant_carp, fish_names) + self.assertIn(Fish.ms_angler, fish_names) + self.assertIn(Fish.son_of_crimsonfish, fish_names) + self.assertIn(Fish.glacierfish_jr, fish_names) + self.assertIn(Fish.legend_ii, fish_names) + self.assertIn(Fish.radioactive_carp, fish_names) + self.assertIn(Fish.clam, fish_names) + self.assertIn(Fish.cockle, fish_names) + self.assertIn(Fish.crab, fish_names) + self.assertIn(Fish.crayfish, fish_names) + self.assertIn(Fish.lobster, fish_names) + self.assertIn(Fish.mussel, fish_names) + self.assertIn(Fish.oyster, fish_names) + self.assertIn(Fish.periwinkle, fish_names) + self.assertIn(Fish.shrimp, fish_names) + self.assertIn(Fish.snail, fish_names) + + def test_sve_has_sve_fish(self): + all_fish = get_fish_for_mods(sve) + fish_names = {fish.name for fish in all_fish} + + self.assertIn(SVEFish.baby_lunaloo, fish_names) + self.assertIn(SVEFish.bonefish, fish_names) + self.assertIn(SVEFish.bull_trout, fish_names) + self.assertIn(SVEFish.butterfish, fish_names) + self.assertIn(SVEFish.clownfish, fish_names) + self.assertIn(SVEFish.daggerfish, fish_names) + self.assertIn(SVEFish.frog, fish_names) + self.assertIn(SVEFish.gemfish, fish_names) + self.assertIn(SVEFish.goldenfish, fish_names) + self.assertIn(SVEFish.grass_carp, fish_names) + self.assertIn(SVEFish.king_salmon, fish_names) + self.assertIn(SVEFish.kittyfish, fish_names) + self.assertIn(SVEFish.lunaloo, fish_names) + self.assertIn(SVEFish.meteor_carp, fish_names) + self.assertIn(SVEFish.minnow, fish_names) + self.assertIn(SVEFish.puppyfish, fish_names) + self.assertIn(SVEFish.radioactive_bass, fish_names) + self.assertIn(SVEFish.seahorse, fish_names) + self.assertIn(SVEFish.shiny_lunaloo, fish_names) + self.assertIn(SVEFish.snatcher_worm, fish_names) + self.assertIn(SVEFish.starfish, fish_names) + self.assertIn(SVEFish.torpedo_trout, fish_names) + self.assertIn(SVEFish.undeadfish, fish_names) + self.assertIn(SVEFish.void_eel, fish_names) + self.assertIn(SVEFish.water_grub, fish_names) + self.assertIn(SVEFish.sea_sponge, fish_names) + self.assertIn(SVEFish.dulse_seaweed, fish_names) diff --git a/worlds/stardew_valley/test/mods/TestModVillagers.py b/worlds/stardew_valley/test/mods/TestModVillagers.py new file mode 100644 index 000000000000..3be437c3f737 --- /dev/null +++ b/worlds/stardew_valley/test/mods/TestModVillagers.py @@ -0,0 +1,132 @@ +import unittest +from typing import Set + +from ...data.villagers_data import get_villagers_for_mods +from ...mods.mod_data import ModNames +from ...strings.villager_names import NPC, ModNPC + +no_mods: Set[str] = set() +sve: Set[str] = {ModNames.sve} + + +class TestGetVillagersForMods(unittest.TestCase): + + def test_no_mods_all_vanilla_villagers(self): + villagers = get_villagers_for_mods(no_mods) + villager_names = {villager.name for villager in villagers} + + self.assertIn(NPC.alex, villager_names) + self.assertIn(NPC.elliott, villager_names) + self.assertIn(NPC.harvey, villager_names) + self.assertIn(NPC.sam, villager_names) + self.assertIn(NPC.sebastian, villager_names) + self.assertIn(NPC.shane, villager_names) + self.assertIn(NPC.abigail, villager_names) + self.assertIn(NPC.emily, villager_names) + self.assertIn(NPC.haley, villager_names) + self.assertIn(NPC.leah, villager_names) + self.assertIn(NPC.maru, villager_names) + self.assertIn(NPC.penny, villager_names) + self.assertIn(NPC.caroline, villager_names) + self.assertIn(NPC.clint, villager_names) + self.assertIn(NPC.demetrius, villager_names) + self.assertIn(NPC.dwarf, villager_names) + self.assertIn(NPC.evelyn, villager_names) + self.assertIn(NPC.george, villager_names) + self.assertIn(NPC.gus, villager_names) + self.assertIn(NPC.jas, villager_names) + self.assertIn(NPC.jodi, villager_names) + self.assertIn(NPC.kent, villager_names) + self.assertIn(NPC.krobus, villager_names) + self.assertIn(NPC.leo, villager_names) + self.assertIn(NPC.lewis, villager_names) + self.assertIn(NPC.linus, villager_names) + self.assertIn(NPC.marnie, villager_names) + self.assertIn(NPC.pam, villager_names) + self.assertIn(NPC.pierre, villager_names) + self.assertIn(NPC.robin, villager_names) + self.assertIn(NPC.sandy, villager_names) + self.assertIn(NPC.vincent, villager_names) + self.assertIn(NPC.willy, villager_names) + self.assertIn(NPC.wizard, villager_names) + + def test_no_mods_no_mod_villagers(self): + villagers = get_villagers_for_mods(no_mods) + villager_names = {villager.name for villager in villagers} + + self.assertNotIn(ModNPC.alec, villager_names) + self.assertNotIn(ModNPC.ayeisha, villager_names) + self.assertNotIn(ModNPC.delores, villager_names) + self.assertNotIn(ModNPC.eugene, villager_names) + self.assertNotIn(ModNPC.jasper, villager_names) + self.assertNotIn(ModNPC.juna, villager_names) + self.assertNotIn(ModNPC.mr_ginger, villager_names) + self.assertNotIn(ModNPC.riley, villager_names) + self.assertNotIn(ModNPC.shiko, villager_names) + self.assertNotIn(ModNPC.wellwick, villager_names) + self.assertNotIn(ModNPC.yoba, villager_names) + self.assertNotIn(ModNPC.lance, villager_names) + self.assertNotIn(ModNPC.apples, villager_names) + self.assertNotIn(ModNPC.claire, villager_names) + self.assertNotIn(ModNPC.olivia, villager_names) + self.assertNotIn(ModNPC.sophia, villager_names) + self.assertNotIn(ModNPC.victor, villager_names) + self.assertNotIn(ModNPC.andy, villager_names) + self.assertNotIn(ModNPC.gunther, villager_names) + self.assertNotIn(ModNPC.martin, villager_names) + self.assertNotIn(ModNPC.marlon, villager_names) + self.assertNotIn(ModNPC.morgan, villager_names) + self.assertNotIn(ModNPC.morris, villager_names) + self.assertNotIn(ModNPC.scarlett, villager_names) + self.assertNotIn(ModNPC.susan, villager_names) + self.assertNotIn(ModNPC.goblin, villager_names) + self.assertNotIn(ModNPC.alecto, villager_names) + + def test_sve_has_sve_villagers(self): + villagers = get_villagers_for_mods(sve) + villager_names = {villager.name for villager in villagers} + + self.assertIn(ModNPC.lance, villager_names) + self.assertIn(ModNPC.apples, villager_names) + self.assertIn(ModNPC.claire, villager_names) + self.assertIn(ModNPC.olivia, villager_names) + self.assertIn(ModNPC.sophia, villager_names) + self.assertIn(ModNPC.victor, villager_names) + self.assertIn(ModNPC.andy, villager_names) + self.assertIn(ModNPC.gunther, villager_names) + self.assertIn(ModNPC.martin, villager_names) + self.assertIn(ModNPC.marlon, villager_names) + self.assertIn(ModNPC.morgan, villager_names) + self.assertIn(ModNPC.morris, villager_names) + self.assertIn(ModNPC.scarlett, villager_names) + self.assertIn(ModNPC.susan, villager_names) + + def test_sve_has_no_other_mod_villagers(self): + villagers = get_villagers_for_mods(sve) + villager_names = {villager.name for villager in villagers} + + self.assertNotIn(ModNPC.alec, villager_names) + self.assertNotIn(ModNPC.ayeisha, villager_names) + self.assertNotIn(ModNPC.delores, villager_names) + self.assertNotIn(ModNPC.eugene, villager_names) + self.assertNotIn(ModNPC.jasper, villager_names) + self.assertNotIn(ModNPC.juna, villager_names) + self.assertNotIn(ModNPC.mr_ginger, villager_names) + self.assertNotIn(ModNPC.riley, villager_names) + self.assertNotIn(ModNPC.shiko, villager_names) + self.assertNotIn(ModNPC.wellwick, villager_names) + self.assertNotIn(ModNPC.yoba, villager_names) + self.assertNotIn(ModNPC.goblin, villager_names) + self.assertNotIn(ModNPC.alecto, villager_names) + + def test_no_mods_wizard_is_not_bachelor(self): + villagers = get_villagers_for_mods(no_mods) + villagers_by_name = {villager.name: villager for villager in villagers} + self.assertFalse(villagers_by_name[NPC.wizard].bachelor) + self.assertEqual(villagers_by_name[NPC.wizard].mod_name, ModNames.vanilla) + + def test_sve_wizard_is_bachelor(self): + villagers = get_villagers_for_mods(sve) + villagers_by_name = {villager.name: villager for villager in villagers} + self.assertTrue(villagers_by_name[NPC.wizard].bachelor) + self.assertEqual(villagers_by_name[NPC.wizard].mod_name, ModNames.sve) diff --git a/worlds/stardew_valley/test/mods/TestMods.py b/worlds/stardew_valley/test/mods/TestMods.py index 9bdabaf73f14..bf24fce72603 100644 --- a/worlds/stardew_valley/test/mods/TestMods.py +++ b/worlds/stardew_valley/test/mods/TestMods.py @@ -1,17 +1,18 @@ -from typing import List, Union -import unittest import random import sys +import unittest +from typing import List, Union from BaseClasses import MultiWorld -from ...mods.mod_data import all_mods -from .. import setup_solo_multiworld, SVTestBase, SVTestCase, allsanity_options_without_mods +from .. import setup_solo_multiworld, SVTestBase, SVTestCase, allsanity_options_without_mods, allsanity_options_with_mods from ..TestOptions import basic_checks from ... import items, Group, ItemClassification -from ...regions import RandomizationFlag, create_final_connections, randomize_connections, create_final_regions from ...items import item_table, items_by_group from ...locations import location_table -from ...options import Mods, EntranceRandomization, Friendsanity, SeasonRandomization, SpecialOrderLocations, ExcludeGingerIsland, TrapItems +from ...mods.mod_data import all_mods +from ...options import Mods, EntranceRandomization, Friendsanity, SeasonRandomization, SpecialOrderLocations, ExcludeGingerIsland, TrapItems, Chefsanity, \ + Shipsanity, Craftsanity, ToolProgression +from ...regions import RandomizationFlag, randomize_connections, create_final_connections_and_regions def check_stray_mod_items(chosen_mods: Union[List[str], str], tester: unittest.TestCase, multiworld: MultiWorld): @@ -40,11 +41,28 @@ def test_given_mod_names_when_generate_paired_with_entrance_randomizer_then_basi for option in EntranceRandomization.options: for mod in all_mods: with self.subTest(f"entrance_randomization: {option}, Mod: {mod}"): - multiworld = setup_solo_multiworld({EntranceRandomization.internal_name: option, Mods: mod}) + multiworld = setup_solo_multiworld({EntranceRandomization.internal_name: EntranceRandomization.options[option], Mods: mod}) basic_checks(self, multiworld) check_stray_mod_items(mod, self, multiworld) - if self.skip_extra_tests: - return # assume the rest will work as well + + def test_allsanity_all_mods_when_generate_then_basic_checks(self): + multi_world = setup_solo_multiworld(allsanity_options_with_mods()) + basic_checks(self, multi_world) + + def test_allsanity_all_mods_exclude_island_when_generate_then_basic_checks(self): + options = allsanity_options_with_mods() + options = {key: options[key] for key in options} + options.update({ExcludeGingerIsland: ExcludeGingerIsland.option_true}) + multi_world = setup_solo_multiworld(options) + basic_checks(self, multi_world) + + +class TestBaseLocationDependencies(SVTestBase): + options = { + Mods.internal_name: all_mods, + ToolProgression.internal_name: ToolProgression.option_progressive, + SeasonRandomization.internal_name: SeasonRandomization.option_randomized + } class TestBaseItemGeneration(SVTestBase): @@ -52,6 +70,9 @@ class TestBaseItemGeneration(SVTestBase): Friendsanity.internal_name: Friendsanity.option_all_with_marriage, SeasonRandomization.internal_name: SeasonRandomization.option_progressive, SpecialOrderLocations.internal_name: SpecialOrderLocations.option_board_qi, + Shipsanity.internal_name: Shipsanity.option_everything, + Chefsanity.internal_name: Chefsanity.option_all, + Craftsanity.internal_name: Craftsanity.option_all, Mods.internal_name: all_mods } @@ -59,9 +80,9 @@ def test_all_progression_items_are_added_to_the_pool(self): all_created_items = [item.name for item in self.multiworld.itempool] # Ignore all the stuff that the algorithm chooses one of, instead of all, to fulfill logical progression items_to_ignore = [event.name for event in items.events] + items_to_ignore.extend(deprecated.name for deprecated in items.items_by_group[Group.DEPRECATED]) items_to_ignore.extend(season.name for season in items.items_by_group[Group.SEASON]) items_to_ignore.extend(weapon.name for weapon in items.items_by_group[Group.WEAPON]) - items_to_ignore.extend(footwear.name for footwear in items.items_by_group[Group.FOOTWEAR]) items_to_ignore.extend(baby.name for baby in items.items_by_group[Group.BABY]) items_to_ignore.extend(resource_pack.name for resource_pack in items.items_by_group[Group.RESOURCE_PACK]) progression_items = [item for item in items.all_items if item.classification is ItemClassification.progression @@ -76,6 +97,9 @@ class TestNoGingerIslandModItemGeneration(SVTestBase): Friendsanity.internal_name: Friendsanity.option_all_with_marriage, SeasonRandomization.internal_name: SeasonRandomization.option_progressive, ExcludeGingerIsland.internal_name: ExcludeGingerIsland.option_true, + Shipsanity.internal_name: Shipsanity.option_everything, + Chefsanity.internal_name: Chefsanity.option_all, + Craftsanity.internal_name: Craftsanity.option_all, Mods.internal_name: all_mods } @@ -83,9 +107,9 @@ def test_all_progression_items_except_island_are_added_to_the_pool(self): all_created_items = [item.name for item in self.multiworld.itempool] # Ignore all the stuff that the algorithm chooses one of, instead of all, to fulfill logical progression items_to_ignore = [event.name for event in items.events] + items_to_ignore.extend(deprecated.name for deprecated in items.items_by_group[Group.DEPRECATED]) items_to_ignore.extend(season.name for season in items.items_by_group[Group.SEASON]) items_to_ignore.extend(weapon.name for weapon in items.items_by_group[Group.WEAPON]) - items_to_ignore.extend(footwear.name for footwear in items.items_by_group[Group.FOOTWEAR]) items_to_ignore.extend(baby.name for baby in items.items_by_group[Group.BABY]) items_to_ignore.extend(resource_pack.name for resource_pack in items.items_by_group[Group.RESOURCE_PACK]) progression_items = [item for item in items.all_items if item.classification is ItemClassification.progression @@ -113,18 +137,17 @@ def test_mod_entrance_randomization(self): Mods.internal_name: all_mods} multiworld = setup_solo_multiworld(world_options) world = multiworld.worlds[1] - final_regions = create_final_regions(world.options) - final_connections = create_final_connections(world.options) + final_connections, final_regions = create_final_connections_and_regions(world.options) - regions_by_name = {region.name: region for region in final_regions} - _, randomized_connections = randomize_connections(rand, world.options, regions_by_name) + _, randomized_connections = randomize_connections(rand, world.options, final_regions, final_connections) - for connection in final_connections: + for connection_name in final_connections: + connection = final_connections[connection_name] if flag in connection.flag: - connection_in_randomized = connection.name in randomized_connections + connection_in_randomized = connection_name in randomized_connections reverse_in_randomized = connection.reverse in randomized_connections self.assertTrue(connection_in_randomized, - f"Connection {connection.name} should be randomized but it is not in the output. Seed = {seed}") + f"Connection {connection_name} should be randomized but it is not in the output. Seed = {seed}") self.assertTrue(reverse_in_randomized, f"Connection {connection.reverse} should be randomized but it is not in the output. Seed = {seed}") diff --git a/worlds/stardew_valley/test/performance/TestPerformance.py b/worlds/stardew_valley/test/performance/TestPerformance.py new file mode 100644 index 000000000000..e83134033da2 --- /dev/null +++ b/worlds/stardew_valley/test/performance/TestPerformance.py @@ -0,0 +1,243 @@ +import os +import time +from dataclasses import dataclass +from statistics import mean, median, variance, stdev +from typing import List + +from BaseClasses import get_seed +from Fill import distribute_items_restrictive, balance_multiworld_progression +from worlds import AutoWorld +from .. import SVTestCase, minimal_locations_maximal_items, setup_multiworld, default_4_x_x_options, \ + allsanity_4_x_x_options_without_mods, default_options, allsanity_options_without_mods + +assert default_4_x_x_options +assert allsanity_4_x_x_options_without_mods +assert default_options +assert allsanity_options_without_mods + +default_number_generations = 25 +acceptable_deviation = 4 + + +@dataclass +class PerformanceResults: + case: SVTestCase + + amount_of_players: int + results: List[float] + acceptable_mean: float + + def __repr__(self): + size = size_name(self.amount_of_players) + + total_time = sum(self.results) + mean_time = mean(self.results) + median_time = median(self.results) + stdev_time = stdev(self.results, mean_time) + variance_time = variance(self.results, mean_time) + + return f"""Generated {len(self.results)} {size} multiworlds in {total_time:.2f} seconds. Average {mean_time:.2f} seconds (Acceptable: {self.acceptable_mean:.2f}) +Mean: {mean_time:.2f} Median: {median_time:.2f} Stdeviation: {stdev_time:.2f} Variance: {variance_time:.4f} Deviation percent: {stdev_time / mean_time:.2%}""" + + +class SVPerformanceTestCase(SVTestCase): + acceptable_time_per_player: float + results: List[PerformanceResults] + + # Set False to run tests that take long + skip_performance_tests: bool = True + # Set False to not call the fill in the tests""" + skip_fill: bool = True + + @classmethod + def setUpClass(cls) -> None: + super().setUpClass() + performance_tests_key = "performance" + if performance_tests_key in os.environ: + cls.skip_performance_tests = not bool(os.environ[performance_tests_key]) + + fill_tests_key = "fill" + if fill_tests_key in os.environ: + cls.skip_fill = not bool(os.environ[fill_tests_key]) + + fixed_seed_key = "fixed_seed" + if fixed_seed_key in os.environ: + cls.fixed_seed = bool(os.environ[fixed_seed_key]) + else: + cls.fixed_seed = False + + number_generations_key = "number_gen" + if number_generations_key in os.environ: + cls.number_generations = int(os.environ[number_generations_key]) + else: + cls.number_generations = default_number_generations + + @classmethod + def tearDownClass(cls) -> None: + case = None + for result in cls.results: + if type(result.case) is not case: + case = type(result.case) + print(case.__name__) + print(result) + print() + super().tearDownClass() + + def performance_test_multiworld(self, options): + amount_of_players = len(options) + acceptable_average_time = self.acceptable_time_per_player * amount_of_players + total_time = 0 + all_times = [] + seeds = [get_seed() for _ in range(self.number_generations)] if not self.fixed_seed else [87876703343494157696] * self.number_generations + + for i, seed in enumerate(seeds): + with self.subTest(f"Seed: {seed}"): + time_before = time.time() + + print("Starting world setup") + multiworld = setup_multiworld(options, seed) + if not self.skip_fill: + distribute_items_restrictive(multiworld) + AutoWorld.call_all(multiworld, 'post_fill') + if multiworld.players > 1: + balance_multiworld_progression(multiworld) + + time_after = time.time() + elapsed_time = time_after - time_before + total_time += elapsed_time + all_times.append(elapsed_time) + print(f"Multiworld {i + 1}/{self.number_generations} [{seed}] generated in {elapsed_time:.4f} seconds") + # tester.assertLessEqual(elapsed_time, acceptable_average_time * acceptable_deviation) + + self.results.append(PerformanceResults(self, amount_of_players, all_times, acceptable_average_time)) + self.assertLessEqual(mean(all_times), acceptable_average_time) + + +def size_name(number_players): + if number_players == 1: + return "solo" + elif number_players == 2: + return "duo" + elif number_players == 3: + return "trio" + return f"{number_players}-player" + + +class TestDefaultOptions(SVPerformanceTestCase): + acceptable_time_per_player = 0.04 + options = default_options() + results = [] + + def test_solo(self): + if self.skip_performance_tests: + return + + number_players = 1 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_duo(self): + if self.skip_performance_tests: + return + + number_players = 2 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_5_player(self): + if self.skip_performance_tests: + return + + number_players = 5 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_10_player(self): + if self.skip_performance_tests: + return + + number_players = 10 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + +class TestMinLocationMaxItems(SVPerformanceTestCase): + acceptable_time_per_player = 0.08 + options = minimal_locations_maximal_items() + results = [] + + def test_solo(self): + if self.skip_performance_tests: + return + + number_players = 1 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_duo(self): + if self.skip_performance_tests: + return + + number_players = 2 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_5_player(self): + if self.skip_performance_tests: + return + + number_players = 5 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_10_player(self): + if self.skip_performance_tests: + return + + number_players = 10 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + +class TestAllsanityWithoutMods(SVPerformanceTestCase): + acceptable_time_per_player = 0.07 + options = allsanity_options_without_mods() + results = [] + + def test_solo(self): + if self.skip_performance_tests: + return + + number_players = 1 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_duo(self): + if self.skip_performance_tests: + return + + number_players = 2 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_5_player(self): + if self.skip_performance_tests: + return + + number_players = 5 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + + def test_10_player(self): + if self.skip_performance_tests: + return + + number_players = 10 + multiworld_options = [self.options] * number_players + self.performance_test_multiworld(multiworld_options) + +# class TestAllsanityWithMods(SVTestCase): +# +# def test_allsanity_with_mods_has_at_least_locations(self): +# allsanity_options = allsanity_options_with_mods() +# multiworld = setup_solo_multiworld(allsanity_options) diff --git a/worlds/stardew_valley/test/performance/__init__.py b/worlds/stardew_valley/test/performance/__init__.py new file mode 100644 index 000000000000..e69de29bb2d1 diff --git a/worlds/stardew_valley/test/stability/StabilityOutputScript.py b/worlds/stardew_valley/test/stability/StabilityOutputScript.py new file mode 100644 index 000000000000..59b43f8d9fea --- /dev/null +++ b/worlds/stardew_valley/test/stability/StabilityOutputScript.py @@ -0,0 +1,29 @@ +import argparse +import json + +from ...test import setup_solo_multiworld + +if __name__ == "__main__": + parser = argparse.ArgumentParser() + parser.add_argument('--seed', help='Define seed number to generate.', type=int, required=True) + + args = parser.parse_args() + seed = args.seed + + multi_world = setup_solo_multiworld(seed=seed) + + output = { + "bundles": { + bundle_room.name: { + bundle.name: str(bundle.items) + for bundle in bundle_room.bundles + } + for bundle_room in multi_world.worlds[1].modified_bundles + }, + "items": [item.name for item in multi_world.get_items()], + "location_rules": {location.name: repr(location.access_rule) for location in multi_world.get_locations(1)} + } + + print(json.dumps(output)) +else: + raise RuntimeError("Do not import this file, execute it in different python session so the PYTHONHASHSEED is different..") diff --git a/worlds/stardew_valley/test/stability/TestStability.py b/worlds/stardew_valley/test/stability/TestStability.py new file mode 100644 index 000000000000..32543b50b4d6 --- /dev/null +++ b/worlds/stardew_valley/test/stability/TestStability.py @@ -0,0 +1,48 @@ +import json +import re +import subprocess +import sys +import unittest +from random import random + +from BaseClasses import get_seed + +# at 0x102ca98a0> +lambda_regex = re.compile(r"^ at (.*)>$") +# Python 3.10.2\r\n +python_version_regex = re.compile(r"^Python (\d+)\.(\d+)\.(\d+)\s*$") + + +class TestGenerationIsStable(unittest.TestCase): + """Let it be known that I hate this tests, and if someone has a better idea than starting subprocesses, please fix this. + """ + + def test_all_locations_and_items_are_the_same_between_two_generations(self): + # seed = get_seed(33778671150797368040) # troubleshooting seed + seed = get_seed() + + output_a = subprocess.check_output([sys.executable, '-m', 'worlds.stardew_valley.test.stability.StabilityOutputScript', '--seed', str(seed)]) + output_b = subprocess.check_output([sys.executable, '-m', 'worlds.stardew_valley.test.stability.StabilityOutputScript', '--seed', str(seed)]) + + result_a = json.loads(output_a) + result_b = json.loads(output_b) + + for i, ((room_a, bundles_a), (room_b, bundles_b)) in enumerate(zip(result_a["bundles"].items(), result_b["bundles"].items())): + self.assertEqual(room_a, room_b, f"Bundle rooms at index {i} is different between both executions. Seed={seed}") + for j, ((bundle_a, items_a), (bundle_b, items_b)) in enumerate(zip(bundles_a.items(), bundles_b.items())): + self.assertEqual(bundle_a, bundle_b, f"Bundle in room {room_a} at index {j} is different between both executions. Seed={seed}") + self.assertEqual(items_a, items_b, f"Items in bundle {bundle_a} are different between both executions. Seed={seed}") + + for i, (item_a, item_b) in enumerate(zip(result_a["items"], result_b["items"])): + self.assertEqual(item_a, item_b, f"Item at index {i} is different between both executions. Seed={seed}") + + for i, ((location_a, rule_a), (location_b, rule_b)) in enumerate(zip(result_a["location_rules"].items(), result_b["location_rules"].items())): + self.assertEqual(location_a, location_a, f"Location at index {i} is different between both executions. Seed={seed}") + + match = lambda_regex.match(rule_a) + if match: + self.assertTrue(bool(lambda_regex.match(rule_b)), + f"Location rule of {location_a} at index {i} is different between both executions. Seed={seed}") + continue + + self.assertEqual(rule_a, rule_b, f"Location rule of {location_a} at index {i} is different between both executions. Seed={seed}") diff --git a/worlds/stardew_valley/test/stability/__init__.py b/worlds/stardew_valley/test/stability/__init__.py new file mode 100644 index 000000000000..e69de29bb2d1