diff --git a/.github/sc4e-check-updates.py b/.github/sc4e-check-updates.py index 8fae46dbf..730d3644e 100644 --- a/.github/sc4e-check-updates.py +++ b/.github/sc4e-check-updates.py @@ -4,6 +4,8 @@ # # Pass directories or yaml files as arguments. +# TODO incorporate this script into sc4pac-actions + import yaml import sys import os @@ -56,7 +58,7 @@ def main() -> int: continue # check URLs - url = doc.get('url') + url = doc.get('nonPersistentUrl') or doc.get('url') if url is None: continue # not an asset m = url_id_pattern.fullmatch(url) diff --git a/.github/sc4pac-yaml-schema.py b/.github/sc4pac-yaml-schema.py deleted file mode 100644 index 3d3fc767a..000000000 --- a/.github/sc4pac-yaml-schema.py +++ /dev/null @@ -1,472 +0,0 @@ -#!/usr/bin/env python3 -# -# Pass directories or yaml files as arguments to validate sc4pac yaml files. - -import yaml -import sys -import os -import re - -# add subfolders as necessary -subfolders = r""" -### [subfolders-docsify] -050-load-first -100-props-textures -150-mods -170-terrain -180-flora -200-residential -300-commercial -360-landmark -400-industrial -410-agriculture -500-utilities -600-civics -610-safety -620-education -630-health -640-government -650-religion -660-parks -700-transit -710-automata -900-overrides -### [subfolders-docsify] -""".strip().splitlines()[1:-1] - -# Add packages as necessary if the check for matching package and asset -# versions would otherwise fail and if there is a reason why the versions -# differ. -ignore_version_mismatches = set([ - "vortext:vortexture-1", - "vortext:vortexture-2", - "t-wrecks:industrial-revolution-mod-addon-set-i-d", - "memo:industrial-revolution-mod", - "bsc:mega-props-jrj-vol01", - "bsc:mega-props-diggis-canals-streams-and-ponds", - "bsc:mega-props-rubik3-vol01-wtc-props", - "bsc:mega-props-newmaninc-rivers-and-ponds", -]) - -unique_strings = { - "type": "array", - "items": {"type": "string"}, - "uniqueItems": True, -} - -map_of_strings = { - "type": "object", - "patternProperties": {".*": {"type": "string"}}, -} - -asset_schema = { - "title": "Asset", - "type": "object", - "additionalProperties": False, - "required": ["assetId", "version", "lastModified", "url"], - "properties": { - "assetId": {"type": "string"}, - "version": {"type": "string"}, - "lastModified": {"type": "string"}, - "url": {"type": "string"}, - "archiveType": { - "type": "object", - "additionalProperties": False, - "properties": { - "format": {"enum": ["Clickteam"]}, - "version": {"enum": ["20", "24", "30", "35", "40"]}, - }, - }, - }, -} - -assets = { - "type": "array", - "items": { - "type": "object", - "additionalProperties": False, - "required": ["assetId"], - "properties": { - "assetId": {"type": "string"}, - "include": unique_strings, - "exclude": unique_strings, - }, - }, -} - -package_schema = { - "title": "Package", - "type": "object", - "additionalProperties": False, - "required": ["group", "name", "version", "subfolder"], - "properties": { - "group": {"type": "string"}, - "name": {"type": "string"}, - "version": {"type": "string"}, - "subfolder": {"enum": subfolders}, - "dependencies": unique_strings, - "assets": assets, - "variants": { - "type": "array", - "items": { - "type": "object", - "additionalProperties": False, - "required": ["variant"], - "properties": { - "variant": map_of_strings, - "dependencies": unique_strings, - "assets": assets, - }, - }, - }, - "variantDescriptions": { - "type": "object", - "patternProperties": {".*": map_of_strings}, - }, - "info": { - "type": "object", - "additionalProperties": False, - "properties": { - "summary": {"type": "string"}, - "warning": {"type": "string"}, - "conflicts": {"type": "string"}, - "description": {"type": "string"}, - "author": {"type": "string"}, - "images": unique_strings, - "website": {"type": "string"}, - }, - }, - }, -} - -schema = { - "oneOf": [asset_schema, package_schema] -} - -# if there are dependencies to packages in other channels, add those channels here -extra_channels = [ - # "https://memo33.github.io/sc4pac/channel/sc4pac-channel-contents.json", -] - - -class DependencyChecker: - - naming_convention = re.compile(r"[a-z0-9]+(?:-[a-z0-9]+)*") - naming_convention_variants_value = re.compile(r"[a-z0-9]+([-\.][a-z0-9]+)*", re.IGNORECASE) - naming_convention_variants = re.compile( # group:package:variant (regex groups: \1:\2:\3) - rf"(?:({naming_convention.pattern}):)?(?:({naming_convention.pattern}):)?([a-zA-Z0-9]+(?:[-\.][a-zA-Z0-9]+)*)") - version_rel_pattern = re.compile(r"(.*?)(-\d+)?") - pronouns_pattern = re.compile(r"\b[Mm][ey]\b|(?:\bI\b(?!-|\.| [A-Z]))") - desc_invalid_chars_pattern = re.compile(r'\\n|\\"') - - def __init__(self): - self.known_packages = set() - self.known_assets = set() - self.referenced_packages = set() - self.referenced_assets = set() - self.self_dependencies = set() - self.duplicate_packages = set() - self.duplicate_assets = set() - self.asset_urls = {} # asset -> url - self.asset_versions = {} # asset -> version - self.overlapping_variants = set() - self.known_variant_values = {} - self.unexpected_variants = [] - self.invalid_asset_names = set() - self.invalid_group_names = set() - self.invalid_package_names = set() - self.invalid_variant_names = set() - self.packages_with_single_assets = {} # pkg -> (version, set of assets from variants) - self.packages_using_asset = {} # asset -> set of packages - - def aggregate_identifiers(self, doc): - if 'assetId' in doc: - asset = doc['assetId'] - if asset not in self.known_assets: - self.known_assets.add(asset) - else: - self.duplicate_assets.add(asset) - self.asset_urls[asset] = doc.get('url') - self.asset_versions[asset] = doc.get('version') - if not self.naming_convention.fullmatch(asset): - self.invalid_asset_names.add(asset) - if 'group' in doc and 'name' in doc: - pkg = doc['group'] + ":" + doc['name'] - if pkg not in self.known_packages: - self.known_packages.add(pkg) - else: - self.duplicate_packages.add(pkg) - if not self.naming_convention.fullmatch(doc['group']): - self.invalid_group_names.add(doc['group']) - if not self.naming_convention.fullmatch(doc['name']): - self.invalid_package_names.add(doc['name']) - - def asset_ids(obj): - return (a['assetId'] for a in obj.get('assets', []) if 'assetId' in a) - - def add_references(obj): - local_deps = obj.get('dependencies', []) - self.referenced_packages.update(local_deps) - if pkg in local_deps: - self.self_dependencies.add(pkg) - local_assets = list(asset_ids(obj)) - self.referenced_assets.update(local_assets) - for a in local_assets: - if a in self.packages_using_asset: - self.packages_using_asset[a].add(pkg) - else: - self.packages_using_asset[a] = set([pkg]) - - variants0 = doc.get('variants', []) - add_references(doc) - for v in variants0: - add_references(v) - - num_doc_assets = len(doc.get('assets', [])) - if num_doc_assets <= 1: - single_assets = set(asset_ids(doc)) - if all(len(v.get('assets', [])) <= 1 for v in variants0): - for v in variants0: - single_assets.update(asset_ids(v)) - self.packages_with_single_assets[pkg] = (doc.get('version'), single_assets) - - variants = [v.get('variant', {}) for v in variants0] - if len(variants) != len(set(tuple(sorted(v.items())) for v in variants)): - # the same variant should not be defined twice - self.overlapping_variants.add(pkg) - - variant_keys = set(key for v in variants for key, value in v.items()) - for key in variant_keys: - variant_values = set(v[key] for v in variants if key in v) - if key not in self.known_variant_values: - self.known_variant_values[key] = variant_values - elif self.known_variant_values[key] != variant_values: - self.unexpected_variants.append((pkg, key, sorted(variant_values), sorted(self.known_variant_values[key]))) - else: - pass - if not self.naming_convention_variants.fullmatch(key): - self.invalid_variant_names.add(key) - for value in variant_values: - if not self.naming_convention_variants_value.fullmatch(value): - self.invalid_variant_names.add(value) - - def _get_channel_contents(self, channel_url): - import urllib.request - import json - req = urllib.request.Request(channel_url) - with urllib.request.urlopen(req) as data: - channel_contents = json.load(data) - return channel_contents['contents'] - - def unknowns(self): - packages = self.referenced_packages.difference(self.known_packages) - assets = self.referenced_assets.difference(self.known_assets) - if packages or assets: - # some dependencies are not known, so check other channels - contents = [self._get_channel_contents(channel_url) for channel_url in extra_channels] - remote_assets = [pkg['name'] for c in contents for pkg in c if pkg['group'] == "sc4pacAsset"] - remote_packages = [f"{pkg['group']}:{pkg['name']}" for c in contents for pkg in c if pkg['group'] != "sc4pacAsset"] - packages = packages.difference(remote_packages) - assets = assets.difference(remote_assets) - return {'packages': sorted(packages), 'assets': sorted(assets)} - - def duplicates(self): - return {'packages': sorted(self.duplicate_packages), - 'assets': sorted(self.duplicate_assets)} - - def assets_with_same_url(self): - url_assets = {u: a for a, u in self.asset_urls.items()} - non_unique_assets = [(a1, a2) for a1, u in self.asset_urls.items() - if (a2 := url_assets[u]) != a1] - return non_unique_assets - - def unused_assets(self): - return sorted(self.known_assets.difference(self.referenced_assets)) - - # turns a patch version such as 1.0.0-2 into 1.0.0 - def _version_without_rel(self, version): - return self.version_rel_pattern.fullmatch(version).group(1) - - def _should_expect_matching_version_for_asset(self, asset): - # for assets used by more packages, we assume that the asset contains - # multiple unrelated packages, so versions of packages do not need to match - return len(self.packages_using_asset.get(asset, [])) <= 3 - - def package_asset_version_mismatches(self): - for pkg, (version, assets) in self.packages_with_single_assets.items(): - if pkg in ignore_version_mismatches: - continue - v1 = self._version_without_rel(version) - for asset in assets: - if self._should_expect_matching_version_for_asset(asset): - v2 = self._version_without_rel(self.asset_versions.get(asset, 'None')) - if v1 != v2: - yield (pkg, v1, asset, v2) - - -def validate_document_separators(text) -> None: - needs_separator = False - errors = 0 - for line in text.splitlines(): - if line.startswith("---"): - needs_separator = False - elif (line.startswith("group:") or line.startswith("\"group\":") or - line.startswith("url:") or line.startswith("\"url\":")): - if needs_separator: - errors += 1 - else: - needs_separator = True - elif line.startswith("..."): - break - if errors > 0: - raise yaml.parser.ParserError( - "YAML file contains multiple package and asset definitions. They all need to be separated by `---`.") - - -def main() -> int: - args = sys.argv[1:] - if not args: - "Pass at least one directory or yaml file to validate as argument." - return 1 - - from jsonschema.validators import Draft202012Validator - from jsonschema import exceptions - validator = Draft202012Validator(schema) - validator.check_schema(schema) - dependency_checker = DependencyChecker() - validated = 0 - errors = 0 - for d in args: - for (root, dirs, files) in os.walk(d): - for fname in files: - if not fname.endswith(".yaml"): - continue - p = os.path.join(root, fname) - with open(p, encoding='utf-8') as f: - validated += 1 - text = f.read() - try: - validate_document_separators(text) - for doc in yaml.safe_load_all(text): - if doc is None: # empty yaml file or document - continue - dependency_checker.aggregate_identifiers(doc) - err = exceptions.best_match(validator.iter_errors(doc)) - msgs = [] if err is None else [err.message] - - # check URLs - urls = [u for u in [doc.get('url'), doc.get('info', {}).get('website')] - if u is not None] - for u in urls: - if '/sc4evermore.com/' in u: - msgs.append(f"Domain of URL {u} should be www.sc4evermore.com") - - # check "None" value - for label in ['conflicts', 'warning', 'summary', 'description']: - field = doc.get('info', {}).get(label) - if field is not None and field.strip().lower() == "none": - msgs.append(f"""Field "{label}" should not be "{field.strip()}", but should be left out instead.""") - - desc = doc.get('info', {}).get('description') - if desc is not None and dependency_checker.pronouns_pattern.search(desc): - msgs.append("The description should be written in a neutral perspective (avoid the words 'I', 'me', 'my').") - if desc is not None and dependency_checker.desc_invalid_chars_pattern.search(desc): - msgs.append("""The description seems to be malformed (avoid the characters '\\n', '\\"').""") - - if msgs: - errors += 1 - print(f"===> {p}") - for msg in msgs: - print(msg) - except yaml.parser.ParserError as err: - errors += 1 - print(f"===> {p}") - print(err) - - if not errors: - # check that all dependencies exist - # (this check only makes sense for the self-contained main channel) - for label, unknown in dependency_checker.unknowns().items(): - if unknown: - errors += len(unknown) - print(f"===> The following {label} are referenced, but not defined:") - for identifier in unknown: - print(identifier) - - for label, dupes in dependency_checker.duplicates().items(): - if dupes: - errors += len(dupes) - print(f"===> The following {label} are defined multiple times:") - for identifier in dupes: - print(identifier) - - if dependency_checker.self_dependencies: - errors += len(dependency_checker.self_dependencies) - print("===> The following packages unnecessarily depend on themselves:") - for pkg in dependency_checker.self_dependencies: - print(pkg) - - non_unique_assets = dependency_checker.assets_with_same_url() - if non_unique_assets: - errors += len(non_unique_assets) - print("===> The following assets have the same URL (The same asset was defined twice with different asset IDs):") - for assets in non_unique_assets: - print(', '.join(assets)) - - unused_assets = dependency_checker.unused_assets() - if unused_assets: - errors += len(unused_assets) - print("===> The following assets are not used:") - for identifier in unused_assets: - print(identifier) - - if dependency_checker.overlapping_variants: - errors += len(dependency_checker.overlapping_variants) - print("===> The following packages have duplicate variants:") - for pkg in dependency_checker.overlapping_variants: - print(pkg) - - if dependency_checker.unexpected_variants: - errors += len(dependency_checker.unexpected_variants) - print("===>") - for pkg, key, values, expected_values in dependency_checker.unexpected_variants: - print(f"{pkg} defines {key} variants {values} (expected: {expected_values})") - - if dependency_checker.invalid_asset_names: - errors += len(dependency_checker.invalid_asset_names) - print("===> the following assetIds do not match the naming convention (lowercase alphanumeric hyphenated)") - for identifier in dependency_checker.invalid_asset_names: - print(identifier) - if dependency_checker.invalid_group_names: - errors += len(dependency_checker.invalid_group_names) - print("===> the following group identifiers do not match the naming convention (lowercase alphanumeric hyphenated)") - for identifier in dependency_checker.invalid_group_names: - print(identifier) - if dependency_checker.invalid_package_names: - errors += len(dependency_checker.invalid_package_names) - print("===> the following package names do not match the naming convention (lowercase alphanumeric hyphenated)") - for identifier in dependency_checker.invalid_package_names: - print(identifier) - if dependency_checker.invalid_variant_names: - errors += len(dependency_checker.invalid_variant_names) - print("===> the following variant labels or values do not match the naming convention (alphanumeric hyphenated or dots)") - for identifier in dependency_checker.invalid_variant_names: - print(identifier) - - version_mismatches = list(dependency_checker.package_asset_version_mismatches()) - if version_mismatches: - errors += len(version_mismatches) - print("===> The versions of the following packages do not match the version of the referenced assets (usually they should agree, but if the version mismatch is intentional, the packages can be added to the ignore list in .github/sc4pac-yaml-schema.py):") - for pkg, v1, asset, v2 in version_mismatches: - print(f"""{pkg} "{v1}" (expected version "{v2}" of asset {asset})""") - - if errors > 0: - print(f"Finished with {errors} errors.") - return 1 - else: - print(f"Successfully validated {validated} files.") - return 0 - - -if __name__ == '__main__': - sys.exit(main()) diff --git a/.github/st-check-updates.py b/.github/st-check-updates.py deleted file mode 100644 index e7da662cd..000000000 --- a/.github/st-check-updates.py +++ /dev/null @@ -1,169 +0,0 @@ -#!/usr/bin/env python3 -# -# Checks whether any assets on STEX are newer than stated in our yaml files, -# considering the last 180 days. -# The STEX_API_KEY environment variable must be set for authentication. -# -# Pass `--mode=id` as argument to query exactly the IDs used in asset URLs. -# Defaults to `--mode=updated` which queries for recently updated IDs only. -# -# Additionally, pass directories or yaml files as arguments. - -import yaml -import sys -import os -import re -from dateutil.parser import isoparse -from datetime import timezone, timedelta -import urllib.request -import json - -stex_api_key = os.environ.get('STEX_API_KEY') # issued by ST admins -url_id_pattern = re.compile(r".*simtropolis.com/files/file/(\d+)-.*?(?:$|[?&]r=(\d+).*$)") # matches ID and optional subfile ID -since_days = 180 # to keep the request small -id_limit = 250 # to keep the request small - - -def nonempty_docs(dirs_or_files): - # Generate all the paths with non-empty documents contained in the yaml files. - # Yield (path, None) in case of parse error. - for d in dirs_or_files: - paths = [d] if not os.path.isdir(d) else \ - (os.path.join(root, fname) for (root, dirs, files) in os.walk(d) for fname in files) - for path in paths: - if not path.endswith(".yaml"): - continue - with open(path, encoding='utf-8') as f: - text = f.read() - try: - for doc in yaml.safe_load_all(text): - if doc is None: # empty yaml file or document - continue - yield path, doc - except yaml.parser.ParserError: - path, None - - -def main() -> int: - args = sys.argv[1:] - id_mode = any(a == "--mode=id" for a in args) # instead of --mode=updated - args = [a for a in args if not a.startswith("--")] - if not args: - print("Found no yaml files to analyze.") - return 0 - - if not stex_api_key: - print("The STEX_API_KEY environment variable must be set for authentication.") - return 1 - - errors = 0 - if id_mode: - file_ids = [] - for p, doc in nonempty_docs(args): - if doc is None: # parse error - errors += 1 - continue - - # find all STEX file IDs - url = doc.get('url') - if url is None: - continue # not an asset - m = url_id_pattern.fullmatch(url) - if not m: - continue # we only check ST files - file_id = m.group(1) - file_ids.append(file_id) - - if not file_ids: - print("No STEX file IDs found in yaml files.") - return 0 - - # check relevant STEX file IDs only - req_url = f"https://community.simtropolis.com/stex/files-api.php?key={stex_api_key}&sort=desc&id=" + ",".join(file_ids[:id_limit]) - else: - # check most recently updated STEX entries only - req_url = f"https://community.simtropolis.com/stex/files-api.php?key={stex_api_key}&days={since_days}&mode=updated&sc4only=true&sort=desc" - - req = urllib.request.Request(req_url, headers={'User-Agent': 'Mozilla/5.0 Firefox/130.0'}) - with urllib.request.urlopen(req) as data: - report = json.load(data) - upstream_state = {str(item['id']): item for item in report} - - out_of_date = 0 - up_to_date = 0 - skipped = 0 - for p, doc in nonempty_docs(args): - if doc is None: # parse error - errors += 1 - continue - - # check URLs - url = doc.get('url') - if url is None: - continue # not an asset - m = url_id_pattern.fullmatch(url) - if not m: - continue # we only check ST files - file_id = m.group(1) - if file_id not in upstream_state: - skipped += 1 # not updated since_days - continue - - subfile_id = m.group(2) # possibly None - subfiles = upstream_state[file_id].get('files', []) - if subfile_id is None: - if len(subfiles) != 1: - errors += 1 - print(f"{doc.get('assetId')}:") - print(f" url must include subfile ID `r=#` as there are {len(subfiles)} subfiles:") - print(" " + "\n ".join(f"{r.get('id')}: {r.get('name')}" for r in subfiles)) - print(f" {upstream_state[file_id].get('fileURL')}") - else: - if subfile_id not in [str(r.get('id')) for r in subfiles]: - errors += 1 - print(f"{doc.get('assetId')}:") - print(f" url subfile ID {subfile_id} does not exist (anymore), so must be updated:") - print(" " + "\n ".join(f"{r.get('id')}: {r.get('name')}" for r in subfiles)) - print(f" {upstream_state[file_id].get('fileURL')}") - - last_modified_upstream = isoparse(upstream_state[file_id]['updated']) - if last_modified_upstream.tzinfo is None: - last_modified_upstream = last_modified_upstream.replace(tzinfo=timezone.utc) - - if 'lastModified' not in doc: - errors += 1 # TODO - else: - last_modified = isoparse(doc.get('lastModified')) - # we ignore small timestamp differences - if abs(last_modified_upstream - last_modified) <= timedelta(minutes=10): - up_to_date += 1 - else: - if last_modified < last_modified_upstream: - out_of_date += 1 - else: - errors += 1 # our assets should not be newer than upstream's assets TODO - print("error: ", end='') - print(f"{doc.get('assetId')}:") - print(f" {doc.get('version')} -> {upstream_state[file_id].get('release')}") - print(f" {last_modified.isoformat().replace('+00:00', 'Z')} -> {last_modified_upstream.isoformat().replace('+00:00', 'Z')}") - print(f" {upstream_state[file_id].get('fileURL')}") - print(f" {p}") - - skipped_msg = ( - "" if not skipped else - f" (skipped {skipped} assets not updated in the last {since_days} days)" if not id_mode else - f" (skipped {skipped} assets)") - result = 0 - if out_of_date == 0: - print(f"All {up_to_date} ST assets are up-to-date{skipped_msg}.") - else: - print(f"There are {out_of_date} outdated ST assets, while {up_to_date} are up-to-date{skipped_msg}.") - result |= 0x02 - if errors > 0: - print(f"Finished with {errors} errors.") - result |= 0x01 - return result - - -if __name__ == '__main__': - sys.exit(main()) diff --git a/.github/url-check.sh b/.github/url-check.sh deleted file mode 100755 index 8ceefb9fe..000000000 --- a/.github/url-check.sh +++ /dev/null @@ -1,11 +0,0 @@ -#!/bin/sh -# Check all STEX URLs contained in files that have been modified since a commit. -set -e -if [ "$#" -ne 2 ]; then - echo "Pass the commit/branch to compare to as first argument, the src folder as second." - exit 1 -fi - -BASE="$(git merge-base @ "$1")" - -git diff "$BASE" --name-only -- "$2" | xargs --delimiter '\n' python .github/st-check-updates.py --mode=id diff --git a/.github/workflows/sc4pac.yaml b/.github/workflows/sc4pac.yaml index 1a49f9ba3..c0ec65389 100644 --- a/.github/workflows/sc4pac.yaml +++ b/.github/workflows/sc4pac.yaml @@ -1,126 +1,25 @@ -name: Sc4pac CI +name: sc4pac CI on: push: branches: [ "main", "action" ] pull_request_target: branches: [ "main" ] - workflow_dispatch: # for manually triggering the workflow from Actions tab -permissions: - contents: read - pages: write - id-token: write +# permissions: +# contents: read jobs: - lint: - runs-on: ubuntu-latest - steps: - - uses: actions/checkout@v4 - - name: Set up Python - uses: actions/setup-python@v5 - with: - python-version: '3.x' - - name: Install dependencies - run: python -m pip install --upgrade PyYAML jsonschema - - name: Checkout pull request - if: ${{ github.event_name == 'pull_request_target' }} - uses: actions/checkout@v4 - with: - # ref: "${{ github.event.pull_request.merge_commit_sha }}" - # As merge_commit_sha is not up-to-date due to mergeability check, we use actual PR head for now; see https://github.com/actions/checkout/issues/518#issuecomment-1757453837 - # ref: ${{ github.event.pull_request.head.sha }} - # (This merge might correspond to a newer commit than the one that triggered this workflow, in case the PR was updated in the meantime -> ok) - ref: ${{ format('refs/pull/{0}/merge', github.event.pull_request.number) }} - path: tmp - sparse-checkout: | - src/yaml - - name: Check sc4pac yaml schema (pull_request_target) - if: ${{ github.event_name == 'pull_request_target' }} - # With pull_request_target, the `main` branch is checked out, not the PR. - # We checked out PR into `tmp` and run script from main branch. - run: cd tmp && python ../.github/sc4pac-yaml-schema.py src/yaml - - name: Check sc4pac yaml schema (push) - if: ${{ github.event_name != 'pull_request_target' }} - # We are on an actual branch of the repository, so run script here in the repository. - run: python .github/sc4pac-yaml-schema.py src/yaml - - # requires STEX_API_KEY, so job is skipped in forks - url-check: - if: ${{ github.repository == 'memo33/sc4pac' }} - runs-on: ubuntu-latest - steps: - - uses: actions/checkout@v4 - with: - # to allow diff of other commit - fetch-depth: 0 - - name: Set up Python - uses: actions/setup-python@v5 - with: - python-version: '3.x' - - name: Install dependencies - run: python -m pip install --upgrade PyYAML jsonschema python-dateutil - - name: Checkout pull request - if: ${{ github.event_name == 'pull_request_target' }} - uses: actions/checkout@v4 - with: - # ref: "${{ github.event.pull_request.merge_commit_sha }}" - # As merge_commit_sha is not up-to-date due to mergeability check, we use actual PR head for now; see https://github.com/actions/checkout/issues/518#issuecomment-1757453837 - # ref: ${{ github.event.pull_request.head.sha }} - # (This merge might correspond to a newer commit than the one that triggered this workflow, in case the PR was updated in the meantime -> ok) - ref: ${{ format('refs/pull/{0}/merge', github.event.pull_request.number) }} - path: tmp - sparse-checkout: | - src/yaml - - name: Check STEX URLs (pull_request_target) - if: ${{ github.event_name == 'pull_request_target' }} - env: - STEX_API_KEY: ${{ secrets.STEX_API_KEY }} - # We checked out PR into `tmp` and run script from main branch. - run: cd tmp && git diff --no-index --name-only ../src/yaml src/yaml | xargs --delimiter '\n' python ../.github/st-check-updates.py --mode=id - - name: Check STEX URLs (push) - if: ${{ github.event_name != 'pull_request_target' }} - env: - STEX_API_KEY: ${{ secrets.STEX_API_KEY }} - # We are on an actual branch of the repository, so run script here in the repository. - # TODO This is not perfect yet, as `before` does not exist on new branches or forced pushes. - run: git diff --name-only ${{ github.event.before }} -- src/yaml | xargs --delimiter '\n' python .github/st-check-updates.py --mode=id - - deploy: - needs: lint # url-check is not needed as ST is flaky - if: ${{ github.repository == 'memo33/sc4pac' && github.ref == 'refs/heads/main' && github.event_name != 'pull_request_target' }} - environment: - name: github-pages - url: ${{ steps.deployment.outputs.page_url }} - runs-on: ubuntu-latest - # Allow only one concurrent deployment, skipping runs queued between the run in-progress and latest queued. - # However, do NOT cancel in-progress runs as we want to allow these production deployments to complete. - concurrency: - group: "pages" - cancel-in-progress: false - steps: - - name: Checkout - uses: actions/checkout@v4 - with: - submodules: recursive - - name: Set up JDK 17 - uses: actions/setup-java@v4 - with: - java-version: '17' - distribution: 'temurin' - cache: 'sbt' - - uses: sbt/setup-sbt@v1 - - name: Build sc4pac executable - run: cd sc4pac-tools && sbt assembly && ./sc4pac --version - - name: Build channel and website - run: make gh-pages-no-lint - - name: Setup Pages - uses: actions/configure-pages@v4 - - name: Upload artifact - # note that this action dereferences our `latest` symlinks, but that's not a huge problem, it just duplicates each json file - uses: actions/upload-pages-artifact@v3 - with: - path: "gh-pages" - - name: Deploy to GitHub Pages - id: deployment - uses: actions/deploy-pages@v4 + channel: + uses: memo33/sc4pac-actions/.github/workflows/sc4pac-channel.yaml@main + with: + path: src/yaml + channel-label: Main + deploy-repository: memo33/sc4pac + sc4pac-tools-submodule: sc4pac-tools + use-stex-api: true + secrets: + stex-api-key: ${{ secrets.STEX_API_KEY }} + permissions: + pages: write # to deploy to GitHub Pages + id-token: write # to verify the deployment originates from an appropriate source diff --git a/Makefile b/Makefile index ae9b2b6e8..8e5413e3c 100644 --- a/Makefile +++ b/Makefile @@ -5,6 +5,12 @@ # SC4PAC=sc4pac SC4PAC=./sc4pac-tools/sc4pac +# LABEL=Main +LABEL=Main-local + +# assumes you have checked out sc4pac-actions in the same parent folder +ACTIONS=../sc4pac-actions + # Rebuild all .json files, the main.js file and update the gh-pages branch. # # This assumes that you have initialized the submodule `sc4pac-tools` with: @@ -20,13 +26,12 @@ gh-pages: lint gh-pages-no-lint gh-pages-no-lint: rm -rf ./gh-pages/ $(MAKE) channel - cd ./sc4pac-tools/ && sbt web/fullLinkJS - cp -p ./sc4pac-tools/web/target/scala-3.4.2/sc4pac-web-opt/main.js ./gh-pages/channel/ - cp -p ./sc4pac-tools/web/channel/styles.css ./sc4pac-tools/web/channel/index.html ./gh-pages/channel/ - cp -p ./docs/index.html ./docs/*.md ./docs/.nojekyll ./gh-pages/ + cd ./sc4pac-tools/ && ./src/scripts/build-channel-page.sh + cp -p ./sc4pac-tools/web/target/website/channel/* ./gh-pages/channel/ + cp -pr ./docs/. ./gh-pages/ channel: - $(SC4PAC) channel build --output ./gh-pages/channel/ ./src/yaml/ + $(SC4PAC) channel build --label $(LABEL) --metadata-source-url https://github.com/memo33/sc4pac/blob/main/src/yaml/ --output ./gh-pages/channel/ ./src/yaml/ # Open e.g. http://localhost:8091/channel/?pkg=memo:essential-fixes host: @@ -37,16 +42,18 @@ host-docs: cd ./docs/ && python -m http.server 8091 lint: - python .github/sc4pac-yaml-schema.py src/yaml + python $(ACTIONS)/src/lint.py src/yaml sc4e-check-updates: python .github/sc4e-check-updates.py src/yaml # First reads in the STEX_API_KEY from a file into an environment variable and then checks for asset updates using the authenticated STEX API. st-check-updates: - set -a && source ./.git/sc4pac-stex-api-key && set +a && python .github/st-check-updates.py src/yaml + set -a && source ./.git/sc4pac-stex-api-key && set +a && python $(ACTIONS)/src/st-check-updates.py src/yaml st-url-check: - set -a && source ./.git/sc4pac-stex-api-key && set +a && sh .github/url-check.sh origin/main src/yaml + set -a && source ./.git/sc4pac-stex-api-key && set +a \ + && git diff "$(shell git merge-base @ "origin/main")" --name-only -- "src/yaml" \ + | xargs --delimiter '\n' python $(ACTIONS)/src/st-check-updates.py --mode=id .PHONY: gh-pages gh-pages-no-lint channel host host-docs lint sc4e-check-updates st-check-updates st-url-check diff --git a/README.md b/README.md index 150bd96ec..fb6943529 100644 --- a/README.md +++ b/README.md @@ -6,5 +6,7 @@ Sc4pac is a package manager for SimCity 4 plugins. This repository contains all the metadata of packages contained in the default channel. Contribute by adding more packages in [src/yaml](src/yaml/). +This channel and other channels are built using [sc4pac-actions](https://github.com/memo33/sc4pac-actions). -For more information, visit the [website](https://memo33.github.io/sc4pac/) and the [code repository](https://github.com/memo33/sc4pac-tools). +For more information, visit the [website](https://memo33.github.io/sc4pac/) and the [sc4pac-tools](https://github.com/memo33/sc4pac-tools) repository +or the [sc4pac-gui](https://github.com/memo33/sc4pac-gui) repository. diff --git a/docs/.nojekyll b/docs/.nojekyll deleted file mode 100644 index e69de29bb..000000000 diff --git a/docs/_sidebar.md b/docs/_sidebar.md index 796335968..b424854fd 100644 --- a/docs/_sidebar.md +++ b/docs/_sidebar.md @@ -2,7 +2,7 @@ * [Getting started](/) * [CLI](cli.md) * [API](api.md) - * [Adding metadata](metadata.md) + * [Metadata format](metadata.md) * [About](about.md) - Packages * [Highlights](packages.md) diff --git a/docs/cli.md b/docs/cli.md index c24f68bd8..a8d08dba4 100644 --- a/docs/cli.md +++ b/docs/cli.md @@ -76,8 +76,18 @@ sc4pac search --threshold 20 "Pause border" # Decrease threshold for more res >>> ... ``` +You can search for a URL of a STEX entry or SC4Evermore download page to find any corresponding packages: + +```sh +sc4pac search "https://community.simtropolis.com/files/file/32812-save-warning/" +>>> ... + +sc4pac search "https://www.sc4evermore.com/index.php/downloads/download/26-gameplay-mods/26-bsc-no-maxis" +>>> ... +``` + **Options:** -- `--threshold ` Fuziness (0..100, default=50): Smaller numbers lead to more results. +- `--threshold ` Fuziness (0..100, default=80): Smaller numbers lead to more results. --- @@ -131,7 +141,7 @@ Add a channel to fetch package metadata from. **Examples:** ```sh sc4pac channel add "https://memo33.github.io/sc4pac/channel/" -sc4pac channel add "file:///C:/absolute/path/to/local/channel/" +sc4pac channel add "file:///C:/absolute/path/to/local/channel/json/" ``` The URL in the examples above points to a directory structure consisting of JSON files created by the `sc4pac channel build` command. @@ -187,10 +197,15 @@ Build a channel locally by converting YAML files to JSON. **Examples:** ```sh sc4pac channel build --output "channel/json/" "channel/yaml/" +sc4pac channel build --label Local --metadata-source-url https://github.com/memo33/sc4pac/blob/main/src/yaml/ -o channel/json channel/yaml ``` +Use the options `--label` and `--metadata-source-url` particularly for building publicly accessible channels. + **Options:** -- `-o, --output ` Output directory for JSON files +- `-o, --output ` Output directory for JSON files +- `--label str` Optional short channel name for display in the UI +- `--metadata-source-url url` Optional base URL linking to the online YAML source files (for Edit Metadata button) --- @@ -202,13 +217,19 @@ Start a local server to use the HTTP [API](api). **Example:** ```sh -sc4pac server --indent 2 --profile-root profiles/profile-1/ +sc4pac server --profiles-dir profiles --indent 1 +sc4pac server --profiles-dir profiles --web-app-dir build/web --launch-browser # used by GUI web +sc4pac server --profiles-dir profiles --auto-shutdown --startup-tag [READY] # used by GUI desktop ``` **Options:** -- `--port ` (default: 51515) -- `--indent ` indentation of JSON responses (default: -1, no indentation) -- `--profile-root ` root directory containing `sc4pac-plugins.json` (default: current working directory), newly created if necessary; can be used for managing multiple different plugins folders +- `--port ` (default: 51515) +- `--indent ` indentation of JSON responses (default: -1, no indentation) +- `--profiles-dir ` directory containing the `sc4pac-profiles.json` file and profile sub-directories (default: current working directory), newly created if necessary +- `--web-app-dir ` optional directory containing statically served webapp files (default: no static files) +- `--launch-browser` automatically open the web browser when using the `--web-app-dir` option (default: `--launch-browser=false`) +- `--auto-shutdown` automatically shut down the server when client closes connection to `/server.connect` (default: `--auto-shutdown=false`). This is used by the desktop GUI to ensure the port is cleared when the GUI exits. +- `--startup-tag ` optional tag to print once server has started and is listening --- diff --git a/docs/hogwarts-castle.yaml b/docs/hogwarts-castle.yaml index cee589529..ac36d722d 100644 --- a/docs/hogwarts-castle.yaml +++ b/docs/hogwarts-castle.yaml @@ -17,7 +17,7 @@ info: summary: School of Witchcraft and Wizardry warning: The castle is invisible to Muggles. conflicts: Incompatible with Saruman's Isengard Tower - description: > + description: | The school is located in the Scottish Highlands. It was founded more than 1000 years ago. diff --git a/docs/metadata.md b/docs/metadata.md index 3516e1a14..bff1426bf 100644 --- a/docs/metadata.md +++ b/docs/metadata.md @@ -1,4 +1,4 @@ -# Adding metadata +# Metadata format This page details how to write, for an existing mod, custom metadata that is understood by *sc4pac*. The metadata is stored in [YAML](https://en.wikipedia.org/wiki/YAML) files which can be edited in any text editor @@ -14,8 +14,8 @@ and consists of *assets* and *packages*, as defined below. ## Assets -An asset is usually a ZIP file that can be downloaded from the file exchanges. -An asset cannot be installed directly by users of *sc4pac*, but it can provide files for one or multiple installable packages. +An asset is usually a ZIP file that can be downloaded from a file exchange. +An asset cannot be installed directly by users of *sc4pac*; rather, they specify where to find the files called for in a package. The metadata of an asset is defined by the following properties. @@ -46,14 +46,14 @@ Conventions: ### `assetId` -This is a unique identifier used internally by *sc4pac*. +This is a unique identifier used internally by *sc4pac*. The identifier must be globally unique across all assets. ```yaml assetId: "dumbledore-hogwarts-castle" ``` You can assign a name of your choice with the following convention: - lowercase, alphanumeric, hyphenated, no special characters -The above example includes the group `dumbledore` as part of the asset ID to ensure uniqueness of the identifier. +It is recommended to prefix a group name (`dumbledore` in this example) to the asset ID to better ensure uniqueness of the identifier. ### `version` :id=asset-version @@ -83,9 +83,34 @@ On SC4Evermore, grab the *Changed* timestamp from the info box on the download p For other sites, use the available info on the download page or, when supported by the server, use the `Last-Modified` HTTP header of the download URL. Shorthand for cURL users: `curl -I -L ''`. +### `checksum` + +An optional sha256 checksum can be added for verifying file integrity. +If present, the checksum of the file is checked directly after download, before extracting the archive. +```yaml +checksum: + sha256: ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff +``` +This is recommended for files that are downloaded using http instead of https. + +### `nonPersistentUrl` + +When the `url` points to a specific _persistent_ version of a file, +a `nonPersistentUrl` can be added that always points to the _latest_ version of the file. +```yaml +nonPersistentUrl: "https://community.simtropolis.com/files/file/25137-hogwarts-castle/?do=download" +url: "https://github.com/....../v950/hogwarts-castle.zip" +``` + +?> Mainly, this is useful for DLLs released on GitHub and Simtropolis. + The `url` would point to the current release on GitHub, while the `nonPersistentUrl` links to Simtropolis. + The `nonPersistentUrl` is never used for downloading, but can be used by tools to check for updates. + As the file is downloaded from a specific release on GitHub, + this avoids intermittent checksum errors when the metadata has not yet been updated after a new release has been uploaded to Simtropolis. + ### `archiveType` -This is only needed for assets containing Clickteam exe-installers (in particular, not needed for NSIS exe-installers). +This is only needed for assets containing Clickteam exe-installers. It is not needed for NSIS exe-installers. ```yaml archiveType: @@ -100,6 +125,7 @@ You can use the tool `cicdec.exe` to find the correct version number: `cicdec.ex ## Packages A package is a collection of files that *sc4pac* can install automatically if requested by a user. +Packages are exposed to the user when browsing for content. - The metadata of a package tells *sc4pac* where to obtain the files and how to install them. - The files are extracted from assets. - Packages can depend on any number of other packages ("dependencies"). @@ -113,10 +139,10 @@ Package owner, modding group or similar. group: "dumbledore" ``` Convention: -- lowercase, alphanumeric, hyphenated, no special characters +- Lowercase, alphanumeric, hyphenated, no special characters - Replace all other characters by hyphens. -Examples: `harry-potter`, `bsc`, `peg`, `t-wrecks`, `mattb325`. +Examples: `harry-potter`, `bsc`, `peg`, `nybt`, `t-wrecks`, `mattb325`. ### `name` @@ -126,7 +152,7 @@ The name of the package, unique within the group. name: "hogwarts-castle" ``` Conventions: -- lowercase, alphanumeric, hyphenated, no special characters +- Lowercase, alphanumeric, hyphenated, no special characters - Do not include the `group` within the name itself - Keep it short and memorable, while unambiguously making clear which upload it refers to. @@ -146,11 +172,11 @@ The folder inside the Plugins folder into which the package is installed. ```yaml subfolder: "620-education" ``` -3-digit numbers are used to control load order. +These names are prefixed with 3-digit numbers to control load order. List of subfolders currently in use: -[list-of-subfolders](https://raw.githubusercontent.com/memo33/sc4pac/main/.github/sc4pac-yaml-schema.py ':include :type=code "" :fragment=subfolders-docsify') +[list-of-subfolders](https://raw.githubusercontent.com/memo33/sc4pac-actions/main/src/lint.py ':include :type=code "" :fragment=subfolders-docsify') @@ -169,7 +195,7 @@ dependencies: ### `assets` :id=asset-references Optional list of assets from which to extract files (zero or more). -The `assetId`-references listed here must have been defined and associated with a `url` elsewhere (see [Assets](#assets)). +The `assetId` references listed here must have been defined and associated with a `url` elsewhere (see [Assets](#assets)). ```yaml assets: - assetId: "dumbledore-hogwarts-castle" @@ -235,16 +261,37 @@ Details: - The matching is case-insensitive for file-system independence. - In any case, always both `include` and `exclude` filters are evaluated. If one or both are absent, they default to the following behavior: - - If the `include` filter is absent or empty, then by default all files with file type .dat/.sc4model/.sc4lot/.sc4desc/.sc4/.dll are included. - - If the `exclude` filter is absent or empty, then by default all file types other than .dat/.sc4model/.sc4lot/.sc4desc/.sc4/.dll are excluded. + - If the `include` filter is absent or empty, then by default all files with file type .dat/.sc4model/.sc4lot/.sc4desc/.sc4 are included. + - If the `exclude` filter is absent or empty, then by default all file types other than .dat/.sc4model/.sc4lot/.sc4desc/.sc4 are excluded. +- All extracted files without checksum must be DBPF files. ?> If you anticipate file names changing with future updates of the original upload, consider using regular expressions to make the matching more generic, so that the `include` filter keeps working after the updates. +### `withChecksum` + +In addition to the `include`/`exclude` fields, you can use a `withChecksum` block to only include files if their checksum matches. +This is _required_ for DLL files (code mods) and other non-DBPF file types. +The checksums are verified after the files are extracted from an asset, +but before they are moved from a temporary location into the plugins folder loaded by the game. +```yaml +assets: +- assetId: "dumbledore-hogwarts-castle" + include: + - "/Hogwarts/" # only DBPF files + withChecksum: + - include: "/magic.dll" + sha256: ffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff +``` +In contrast to the `checksum` field of an asset, this is the sha256 hash of the extracted file itself (e.g. hash of the .dll instead of the .zip file). + +?> When using `withChecksum`, it is recommended to also add a [`nonPersistentUrl`](#nonPersistentUrl) to the corresponding asset definition. + ### `info` Additional descriptive information. -It is mostly optional, but each package should include a one-line `summary` and a link to a `website`, usually the original download page. +These items are mostly optional, but each package should include a one-line `summary` and a link to a `website` or multiple `websites`, usually the original download page. Other optional items may be included as appropriate. + A `description` may consist of several paragraphs of contextual information (it should not repeat the `summary`). @@ -253,17 +300,17 @@ A `description` may consist of several paragraphs of contextual information (it > * Keep the `description` short. Reduce it to information relevant for using the plugin in the game, for example: > * Are the buildings growable or ploppable? > * RCI types -> * sizes of growables lots +> * sizes of growable lots > * tilesets if not all are enabled > -> Avoid detailed stats like flammability, water consumption, pollution, etc. -> * An introductary sentence or two about real-life architectural context is fine, but it should not take up several paragraphs. +> * Avoid detailed stats like flammability, water consumption, pollution, etc. +> * An introductory sentence or two about real-life architectural context is fine, but it should not take up several paragraphs. > * Phrase the `description` in a neutral way and avoid first-person. -You should also inform about possible `conflicts`. (If there are none, leave out this field.) +You should also inform about possible `conflicts`. If there are none, omit this field. Moreover, you can add a `warning` message that is displayed during the installation process. -This should be used sparingly, for example in case a user has to take action before installing the package. +This should be used sparingly and only included in case a user has to take action before installing the package. The `author` field should list the original authors of the content by the names they are known to the community. @@ -274,7 +321,7 @@ info: summary: School of Witchcraft and Wizardry warning: The castle is invisible to Muggles. conflicts: Incompatible with Saruman's Isengard Tower - description: > + description: | The school is located in the Scottish Highlands. It was founded more than 1000 years ago. @@ -286,14 +333,10 @@ info: website: "https://en.wikipedia.org/wiki/Hogwarts" ``` -?> The multi-line character `>` in YAML files controls text wrapping. - See the [YAML format](https://en.wikipedia.org/wiki/YAML#Basic_components). - Useful alternatives can be `|` or `>-`. - It is important to pick a suitable text wrapping mode for the style of your `description` in oder to preserve paragraphs. - Otherwise, all text could end up being displayed on a single line. +?> The `description` and other text fields use **Markdown** syntax for styling. + You can use the [Markdown Live Preview](https://markdownlivepreview.com/) to see how your text will be displayed. -?> Use the syntax `` `pkg=hagrid:whomping-willow` `` to refer to another package from within the description or other text fields - in order to render a link to the package. +?> Use the syntax `` `pkg=hagrid:whomping-willow` `` in order to render a link to another package in the summary or description. ## Complete example @@ -349,9 +392,9 @@ Recommendations: (for example, `kodlovag:uniform-street-lighting-mod:light-color` belongs to `pkg=kodlovag:uniform-street-lighting-mod`). - If there is a recommended variant, put it first or clearly describe it in order to make it easy to choose. -Let us continue with our Hogwarts example and add nightmode variants. +Continuing with the Hogwarts example, let's add nightmode variants. There are two common scenarios: -Either there are two different MaxisNite/DarkNite ZIP files, +either there are two different MaxisNite/DarkNite ZIP files, or there is just one ZIP file containing MaxisNite/DarkNite subfolders. In the first case, we need to define *two* assets (see [Assets](#assets)), one for each ZIP file, @@ -395,7 +438,7 @@ For complete examples, inspect the metadata of: - `pkg=mattb325:sunken-library` (two ZIP files for MaxisNite and DarkNite) - `pkg=mattb325:harbor-clinic` (one ZIP file containing MaxisNite/DarkNite subfolders) -?> If a building has only been published as DarkNite, a MaxisNite variant should be added nevertheless, for compatibility. +?> If a building has only been published as DarkNite, a MaxisNite variant should be added nevertheless for compatibility. This allows to install the building even without a DarkNite mod installed. It is just a minor visual conflict that does not affect daytime scenes. ```yaml @@ -423,11 +466,12 @@ variantDescriptions: ## Collections -Collections are packages that have an empty list of assets, but only have dependencies. +Collections are packages that do not include any assets and only have dependencies. They do not install any files of their own, but can be used to create themed packs of packages that are easy to install in one go. +Imagine a collection that contains a variety of similarly-themed buildings from multiple exchange uploads (and possibly from different creators). -One advantage this has is that these collections can receive updates. For example, additional dependencies could be added later on. -Though, some care must be taken to preserve backward compatibility. +One advantage this has is that these collections can receive updates - additional dependencies could be added later on. +However, care should be taken to preserve backward compatibility. Examples: `pkg=madhatter106:midrise-office-pack-collection`, `pkg=memo:essential-fixes`. @@ -446,7 +490,11 @@ To ensure that your package metadata works as intended, you should test your cha ```sh sc4pac channel add "https://raw.githubusercontent.com/memo33/sc4pac/main/docs/hogwarts-castle.yaml" ``` -- (If you created multiple YAML files, consider using the [`channel build`](cli#channel-build) command.) +- If you created multiple YAML files, use the [`channel build`](cli#channel-build) command. + ```sh + sc4pac channel build --output "channel/json/" "channel/yaml/" + sc4pac channel add "file:///C:/absolute/path/to/local/channel/json/" + ``` Next, install your new package as usual and, if necessary, edit the YAML file until everything works as intended. diff --git a/docs/packages.md b/docs/packages.md index d6986a453..05a15721e 100644 --- a/docs/packages.md +++ b/docs/packages.md @@ -123,6 +123,7 @@ Many additional civic buildings by mattb325 are listed at [Channel](channel/ ':t * `pkg=memo:submenus-dll` (adds more submenus to the game) * `pkg=cam:colossus-addon-mod` (adds more growth stages to the game) * `pkg=nam-team:tunnel-and-slope-mod` (smooth slopes for networks) +* `pkg=warrior:god-terraforming-in-mayor-mode` (more convenient access to god tools) ## Dependency packs diff --git a/lint-config.yaml b/lint-config.yaml new file mode 100644 index 000000000..b09a7cc92 --- /dev/null +++ b/lint-config.yaml @@ -0,0 +1,28 @@ +subfolders: [] + +extra-channels: [] + +allow-ego-perspective: false + +# Package names for which the check for asset version mismatches should be skipped. +# Only needed when the linter tells you so. +ignore-version-mismatches: +- vortext:vortexture-1 +- vortext:vortexture-2 +- t-wrecks:industrial-revolution-mod-addon-set-i-d +- memo:industrial-revolution-mod +- bsc:mega-props-jrj-vol01 +- bsc:mega-props-diggis-canals-streams-and-ponds +- bsc:mega-props-rubik3-vol01-wtc-props +- bsc:mega-props-newmaninc-rivers-and-ponds + +group-to-github: +- null-45: "0xC0000054" +- simmaster07: nsgomez +- memo: memo33 + +# The following is only appropriate when nobody can make unnoticed changes to +# the metadata checksum fields. +ignore-non-github-urls: +- simmaster07-extra-cheats-dll +- buggi-extra-cheats-dll diff --git a/sc4pac-tools b/sc4pac-tools index 2c060a999..feee888bb 160000 --- a/sc4pac-tools +++ b/sc4pac-tools @@ -1 +1 @@ -Subproject commit 2c060a9992151327e8bef51d7155c253a6a3e53c +Subproject commit feee888bba442f788e0338d374a9764d95f8a046 diff --git a/src/yaml/11241036/central-european-tree-controller.yaml b/src/yaml/11241036/central-european-tree-controller.yaml index 220a38405..e93bdf64a 100644 --- a/src/yaml/11241036/central-european-tree-controller.yaml +++ b/src/yaml/11241036/central-european-tree-controller.yaml @@ -4,15 +4,15 @@ version: "1.03" subfolder: 180-flora info: summary: Central European Tree Controller - warning: >- + warning: |- If using this controller in seasonal mode, seasonal trees must be planted on September 1st. When switching to another tree controller, always remove any and all trees planted with your previous tree controller *before* uninstalling your old tree controller. If you want to remove this tree controller, there are some helper files available on Simtropolis. - conflicts: >- + conflicts: |- The seasonal controller variant is only compatible with terrain mods that include the Seasonal Flora Patch. Incompatible with all other tree controllers – only one tree controller may be installed at a time. - description: > + description: | This plugin provides you with a tree controller, that allows you to plant large forests consisting of trees mostly created by girafe. On lower altitudes, leafy trees are being planted, and the higher you go, eventually mixed forests, conifer forests, shrubby plains and meadows with flowers will appear instead. diff --git a/src/yaml/aaron-graham/1225-morris-avenue.yaml b/src/yaml/aaron-graham/1225-morris-avenue.yaml index c9a87baff..9ba6feef3 100644 --- a/src/yaml/aaron-graham/1225-morris-avenue.yaml +++ b/src/yaml/aaron-graham/1225-morris-avenue.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 1225 Morris Avenue (W2W) - description: > + description: | 1225 Morris Avenue is a 1937 six story apartment located in The Bronx, New York City. The building grows as R$ and R$$ in four color variations on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/201-e-19-street.yaml b/src/yaml/aaron-graham/201-e-19-street.yaml index 57314dec8..7aad8dc80 100644 --- a/src/yaml/aaron-graham/201-e-19-street.yaml +++ b/src/yaml/aaron-graham/201-e-19-street.yaml @@ -7,7 +7,7 @@ dependencies: - "girafe:maples-v2" info: summary: 201 E. 19 Street - description: > + description: | 201 E. 19 Street is a 1960 sixteen story brick apartment located in Manhattan, New York City. The building grows as R$$, R$$$, CS$$ and CS$$$ in four color variations on the New York tile set. author: Aaron Graham diff --git a/src/yaml/aaron-graham/25-e-193-street.yaml b/src/yaml/aaron-graham/25-e-193-street.yaml index 465bea87c..642cacb36 100644 --- a/src/yaml/aaron-graham/25-e-193-street.yaml +++ b/src/yaml/aaron-graham/25-e-193-street.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 25 E. 193 Street (W2W) - description: > + description: | 25 E. 193 Street is a 1921 five story apartment located in The Bronx, New York City. The building grows as R$ and R$$ in four color variations on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/2639-and-2641-jerome-avenue.yaml b/src/yaml/aaron-graham/2639-and-2641-jerome-avenue.yaml index b33892696..2ec5d87f1 100644 --- a/src/yaml/aaron-graham/2639-and-2641-jerome-avenue.yaml +++ b/src/yaml/aaron-graham/2639-and-2641-jerome-avenue.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 2639 And 2641 Jerome Avenue (W2W) - description: > + description: | 2369 And 2641 Jerome avenue is a 1912 five story walk up apartment located in The Bronx, New York City. The building grows as R$, R$$, C$ and C$$ in four color variations on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/30-e-81-street.yaml b/src/yaml/aaron-graham/30-e-81-street.yaml index d72534d4b..575b69fc9 100644 --- a/src/yaml/aaron-graham/30-e-81-street.yaml +++ b/src/yaml/aaron-graham/30-e-81-street.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 30 E. 81 Street (W2W) - description: > + description: | 30 E. 81 Street is a 1955 thirteen story apartment located in Manhattan, New York City. The building grows as R$$, R$$$, CS$$ and CS$$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/32-48-30th-street.yaml b/src/yaml/aaron-graham/32-48-30th-street.yaml index 0fb0fdd41..9a3a11908 100644 --- a/src/yaml/aaron-graham/32-48-30th-street.yaml +++ b/src/yaml/aaron-graham/32-48-30th-street.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 32-48 30th Street (W2W) - description: > + description: | 32-48 30th Street is a 1928 apartment located in Queens, New York City. The building grows as R$$ and R$$$ in eight color variations the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/41-park-avenue.yaml b/src/yaml/aaron-graham/41-park-avenue.yaml index b7453c666..a8a95ed3f 100644 --- a/src/yaml/aaron-graham/41-park-avenue.yaml +++ b/src/yaml/aaron-graham/41-park-avenue.yaml @@ -7,7 +7,7 @@ dependencies: - "bsc:mega-props-cp-vol01" info: summary: 41 Park Avenue (W2W) - description: > + description: | 41 Park Avenue is a 1950 apartment located in Manhattan, New York City. The building grows as R$ and R$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/605-park-avenue.yaml b/src/yaml/aaron-graham/605-park-avenue.yaml index 23a4de005..2938252fc 100644 --- a/src/yaml/aaron-graham/605-park-avenue.yaml +++ b/src/yaml/aaron-graham/605-park-avenue.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 605 Park Avenue (W2W) - description: > + description: | 605 Park Avenue is a 1952 apartment located in Manhattan, New York City. The building grows as R$$ and R$$$ in four variations (two models and three colors) on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/655-e-228-street.yaml b/src/yaml/aaron-graham/655-e-228-street.yaml index 490b7adc7..fc606ed58 100644 --- a/src/yaml/aaron-graham/655-e-228-street.yaml +++ b/src/yaml/aaron-graham/655-e-228-street.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 655 E. 228 Street (W2W) - description: > + description: | 655 E. 228 Street is a 1939 six story apartment located in The Bronx, New York City. The building grows as R$ and R$$ in four color variations on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/785-park-avenue.yaml b/src/yaml/aaron-graham/785-park-avenue.yaml index 7277b0f32..a231bc6ee 100644 --- a/src/yaml/aaron-graham/785-park-avenue.yaml +++ b/src/yaml/aaron-graham/785-park-avenue.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 785 Park Avenue (W2W) - description: > + description: | 785 Park Avenue is a sixteen story brick apartment located in Manhattan, New York City. The building grows as R$$, R$$$, CS$$ and CS$$$ in four color variations on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/915-west-end-avenue.yaml b/src/yaml/aaron-graham/915-west-end-avenue.yaml index 871a5d51d..0b942babc 100644 --- a/src/yaml/aaron-graham/915-west-end-avenue.yaml +++ b/src/yaml/aaron-graham/915-west-end-avenue.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: 915 West End Avenue (W2W) - description: > + description: | 915 West End Avenue is a 1922 apartment building located in Manhattan, New York City. The building grows as R$$ and R$$$ on the New York and Chicago tile sets. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/aronic-place.yaml b/src/yaml/aaron-graham/aronic-place.yaml index ba804054c..047ce858d 100644 --- a/src/yaml/aaron-graham/aronic-place.yaml +++ b/src/yaml/aaron-graham/aronic-place.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Aronic Place (W2W) - description: > + description: | Aronic Place is a fictitious six story apartment based on 9511 Shore Rd, Brooklyn, New York City. The building grows as R$, R$$ and R$$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/bainbridge-row.yaml b/src/yaml/aaron-graham/bainbridge-row.yaml index 283e559d1..2c0cedc37 100644 --- a/src/yaml/aaron-graham/bainbridge-row.yaml +++ b/src/yaml/aaron-graham/bainbridge-row.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Bainbridge Row (W2W) - description: > + description: | Bainbridge Row is an apartment located in The Bronx, New York City. The building grows as R$ and R$$ on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/barton-paul.yaml b/src/yaml/aaron-graham/barton-paul.yaml index b508c0028..464459154 100644 --- a/src/yaml/aaron-graham/barton-paul.yaml +++ b/src/yaml/aaron-graham/barton-paul.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Barton Paul (W2W) - description: > + description: | Barton Paul is a 1955 five story apartment located in The Bronx, New York City. The building grows as R$ and R$$ in four color variations on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/beck-arms.yaml b/src/yaml/aaron-graham/beck-arms.yaml index a32db39b3..8ec90638e 100644 --- a/src/yaml/aaron-graham/beck-arms.yaml +++ b/src/yaml/aaron-graham/beck-arms.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Beck Arms (W2W) - description: > + description: | Beck Arms is an apartment located in The Bronx, New York City. The building grows as R$ and R$$ on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/bronx-collection.yaml b/src/yaml/aaron-graham/bronx-collection.yaml index e72270614..f52ec2825 100644 --- a/src/yaml/aaron-graham/bronx-collection.yaml +++ b/src/yaml/aaron-graham/bronx-collection.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: The Bronx part of Aaron Graham's NYBT bats - description: > + description: | Contains the Bronx part of Aaron Graham's NYBT collection. author: Aaron Graham website: https://community.simtropolis.com/profile/226625-aaron-graham/content/?type=downloads_file diff --git a/src/yaml/aaron-graham/brooklyn-collection.yaml b/src/yaml/aaron-graham/brooklyn-collection.yaml index 2f7ffe9f2..ef05acd0a 100644 --- a/src/yaml/aaron-graham/brooklyn-collection.yaml +++ b/src/yaml/aaron-graham/brooklyn-collection.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Brooklyn part of Aaron Graham's NYBT bats - description: > + description: | Contains the Brooklyn part of Aaron Graham's NYBT collection. author: Aaron Graham website: https://community.simtropolis.com/profile/226625-aaron-graham/content/?type=downloads_file diff --git a/src/yaml/aaron-graham/complete-collection.yaml b/src/yaml/aaron-graham/complete-collection.yaml index 79635c786..df2941c3c 100644 --- a/src/yaml/aaron-graham/complete-collection.yaml +++ b/src/yaml/aaron-graham/complete-collection.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Complete collection of Aaron Graham's NYBT BATs - description: > + description: | The collection consists of the Manhattan, Queens, Brooklyn, Bronx and fictitious collections. You can install the entire collection or choose individual buildings by following the dependency links. diff --git a/src/yaml/aaron-graham/concord-arms.yaml b/src/yaml/aaron-graham/concord-arms.yaml index 77dc66624..a32362123 100644 --- a/src/yaml/aaron-graham/concord-arms.yaml +++ b/src/yaml/aaron-graham/concord-arms.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Concord Arms (W2W) - description: > + description: | Concord Arms is an apartment building located in The Bronx, New York City. The building grows as R$ and R$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/dover-house.yaml b/src/yaml/aaron-graham/dover-house.yaml index 6413c2066..53f1de2d9 100644 --- a/src/yaml/aaron-graham/dover-house.yaml +++ b/src/yaml/aaron-graham/dover-house.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Dover House (W2W) - description: > + description: | Dover House is a 1962 fourteen story apartment located in Manhattan, New York City. The building grows as R$$ and R$$$ in four color variations on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/eyrene-apartments.yaml b/src/yaml/aaron-graham/eyrene-apartments.yaml index 10377c826..ef6d0dae3 100644 --- a/src/yaml/aaron-graham/eyrene-apartments.yaml +++ b/src/yaml/aaron-graham/eyrene-apartments.yaml @@ -7,7 +7,7 @@ dependencies: - "bsc:mega-props-cp-vol01" info: summary: Eyrene Apartments (W2W) - description: > + description: | Eyrene Apartments is a fictitious apartment inspired by New York City. The building grows as R$$ and R$$$ on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/fictitious-collection.yaml b/src/yaml/aaron-graham/fictitious-collection.yaml index 838459c9a..017d3ec7e 100644 --- a/src/yaml/aaron-graham/fictitious-collection.yaml +++ b/src/yaml/aaron-graham/fictitious-collection.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Fictitious part of Aaron Graham's NYBT bats - description: > + description: | Contains the fictitious part of Aaron Graham's NYBT collection. author: Aaron Graham website: https://community.simtropolis.com/profile/226625-aaron-graham/content/?type=downloads_file diff --git a/src/yaml/aaron-graham/franklin-apartments.yaml b/src/yaml/aaron-graham/franklin-apartments.yaml index 7a33d553b..7b388597d 100644 --- a/src/yaml/aaron-graham/franklin-apartments.yaml +++ b/src/yaml/aaron-graham/franklin-apartments.yaml @@ -7,7 +7,7 @@ dependencies: - "bsc:texturepack-cycledogg-vol01" info: summary: Franklin Apartments (W2W) - description: > + description: | Franklin Apartments is a fictitious apartment inspired by New York City. The building grows as R$$ and R$$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/gracie-manor.yaml b/src/yaml/aaron-graham/gracie-manor.yaml index e4a43a01b..e8f5d28f5 100644 --- a/src/yaml/aaron-graham/gracie-manor.yaml +++ b/src/yaml/aaron-graham/gracie-manor.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Thirteen-story W2W modernism apartments (NYBT) - description: > + description: | Gracie Manor is a 1956 residential building in Manhattan, New York City. The building grows as R$$ and R$$$ in four color variations on the New York tile set. It is a (W2W) wall-to-wall non-corner building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/graham-apartments.yaml b/src/yaml/aaron-graham/graham-apartments.yaml index 681c521b3..66dacb0e4 100644 --- a/src/yaml/aaron-graham/graham-apartments.yaml +++ b/src/yaml/aaron-graham/graham-apartments.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Graham Apartments (W2W) - description: > + description: | Graham Apartments is a fictitious apartment inspired by New York City. The building grows as R$$ and R$$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/hattan-house.yaml b/src/yaml/aaron-graham/hattan-house.yaml index eeb8b0316..a65801477 100644 --- a/src/yaml/aaron-graham/hattan-house.yaml +++ b/src/yaml/aaron-graham/hattan-house.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Hattan House (W2W) - description: > + description: | Hattan House is a 1962 seventeen story apartment located in Manhattan, New York City. The building grows as R$$, R$$$, CS$$ and CS$$$ in four color variations on the New York tileset. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/hogan-apartments.yaml b/src/yaml/aaron-graham/hogan-apartments.yaml index f986f5a3c..16cdcad3a 100644 --- a/src/yaml/aaron-graham/hogan-apartments.yaml +++ b/src/yaml/aaron-graham/hogan-apartments.yaml @@ -7,7 +7,7 @@ dependencies: - "bsc:texturepack-cycledogg-vol01" info: summary: Hogan Apartments (W2W) - description: > + description: | Hogan Apartments is a fictitious apartment inspired by New York City. The building grows as R$$ and R$$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/johnson-apartments.yaml b/src/yaml/aaron-graham/johnson-apartments.yaml index 6651f2de7..51bb620d2 100644 --- a/src/yaml/aaron-graham/johnson-apartments.yaml +++ b/src/yaml/aaron-graham/johnson-apartments.yaml @@ -7,7 +7,7 @@ dependencies: - "bsc:mega-props-cp-vol01" info: summary: Johnson Apartments (W2W) - description: > + description: | Johnson Apartments is a fictitious apartment inspired by New York City. The building grows as R$$ and R$$$ on the New York tile set. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aaron-graham/kingsbridge-apartments.yaml b/src/yaml/aaron-graham/kingsbridge-apartments.yaml index 6672e2ab4..164181f17 100644 --- a/src/yaml/aaron-graham/kingsbridge-apartments.yaml +++ b/src/yaml/aaron-graham/kingsbridge-apartments.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Kingsbridge Apartments (W2W) - description: > + description: | Kingsbridge Apartments is an apartment located in The Bronx, New York City. The building grows as R$ and R$$ on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/manhattan-collection.yaml b/src/yaml/aaron-graham/manhattan-collection.yaml index 4e4cc6418..311b88d6e 100644 --- a/src/yaml/aaron-graham/manhattan-collection.yaml +++ b/src/yaml/aaron-graham/manhattan-collection.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Manhattan part of Aaron Graham's NYBT bats - description: > + description: | Contains the Manhattan part of Aaron Graham's NYBT collection. author: Aaron Graham website: https://community.simtropolis.com/profile/226625-aaron-graham/content/?type=downloads_file diff --git a/src/yaml/aaron-graham/queens-collection.yaml b/src/yaml/aaron-graham/queens-collection.yaml index 317856d63..a647b69b7 100644 --- a/src/yaml/aaron-graham/queens-collection.yaml +++ b/src/yaml/aaron-graham/queens-collection.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Queens part of Aaron Graham's NYBT bats - description: > + description: | Contains the Queens part of Aaron Graham's NYBT collection. author: Aaron Graham website: https://community.simtropolis.com/profile/226625-aaron-graham/content/?type=downloads_file diff --git a/src/yaml/aaron-graham/tapscott-houses.yaml b/src/yaml/aaron-graham/tapscott-houses.yaml index 082157a92..d7784c18c 100644 --- a/src/yaml/aaron-graham/tapscott-houses.yaml +++ b/src/yaml/aaron-graham/tapscott-houses.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Tapscott Houses (W2W) - description: > + description: | Tapscott Houses is an apartment located in Brooklyn, New York City. The building grows as R$ and R$$ on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/townsley.yaml b/src/yaml/aaron-graham/townsley.yaml index 7bed66c52..47d93849c 100644 --- a/src/yaml/aaron-graham/townsley.yaml +++ b/src/yaml/aaron-graham/townsley.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Townsley (W2W) - description: > + description: | Townsley is a 1964 fifteen story apartment located in Manhattan, New York City. The building grows as R$$ and R$$$ in four color variations on the New York tile set. It is a (W2W) wall to wall building and will fit perfectly in the middle of your city block. diff --git a/src/yaml/aaron-graham/walesbridge.yaml b/src/yaml/aaron-graham/walesbridge.yaml index e51954959..bfe9bf96d 100644 --- a/src/yaml/aaron-graham/walesbridge.yaml +++ b/src/yaml/aaron-graham/walesbridge.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Walesbridge - description: > + description: | Walesbridge is a 1940-1950s six story apartment located in The Bronx, New York City. The building grows as R$ and R$$ on the New York tile set. There are eight variations in total: four corner buildings and four non-corner buildings, each with four different brick colors. diff --git a/src/yaml/aaron-graham/worthington-apartments.yaml b/src/yaml/aaron-graham/worthington-apartments.yaml index 345ab9659..786c24087 100644 --- a/src/yaml/aaron-graham/worthington-apartments.yaml +++ b/src/yaml/aaron-graham/worthington-apartments.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 200-residential info: summary: Worthington Apartments (W2W) - description: > + description: | Worthington Apartments is an apartment building based on 888 Park Avenue located in Manhattan, New York City. The building grows as R$$ and R$$$ on the New York and Chicago tile sets. It is a (W2W) wall to wall corner building and will fit perfectly on the end of your city block. diff --git a/src/yaml/aarsgevogelte/stationsstraat-3-tilburg.yaml b/src/yaml/aarsgevogelte/stationsstraat-3-tilburg.yaml new file mode 100644 index 000000000..afa215296 --- /dev/null +++ b/src/yaml/aarsgevogelte/stationsstraat-3-tilburg.yaml @@ -0,0 +1,39 @@ +group: aarsgevogelte +name: stationsstraat-3-tilburg +version: "1.0" +subfolder: 360-landmark +info: + summary: Stationsstraat 3, Tilburg + author: Aarsgevogelte + website: https://community.simtropolis.com/files/file/32077-stationsstraat-3-tilburg/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2018_01/D.jpg.aca0863aceebfa92c8937d21a17b3be4.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_01/N.jpg.6f4b973c7eb6f8a12f7544372f35527e.jpg +dependencies: + - aarsgevogelte:stationsstraat-3-tilburg-resources +assets: + - assetId: aarsgevogelte-stationsstraat-3-tilburg + include: + - \.SC4Lot$ + +--- +group: aarsgevogelte +name: stationsstraat-3-tilburg-resources +version: "1.0" +subfolder: 100-props-textures +info: + summary: Stationsstraat 3, Tilburg Resources + description: |- + Resource file for `pkg=aarsgevogelte:stationsstraat-3-tilburg` + author: Aarsgevogelte + website: https://community.simtropolis.com/files/file/32077-stationsstraat-3-tilburg/ +assets: + - assetId: aarsgevogelte-stationsstraat-3-tilburg + exclude: + - \.SC4Lot$ + +--- +assetId: aarsgevogelte-stationsstraat-3-tilburg +version: "1.0" +lastModified: "2018-01-22T15:00:05Z" +url: https://community.simtropolis.com/files/file/32077-stationsstraat-3-tilburg/?do=download diff --git a/src/yaml/agc/automobile-dlc.yaml b/src/yaml/agc/automobile-dlc.yaml new file mode 100644 index 000000000..bfc47b585 --- /dev/null +++ b/src/yaml/agc/automobile-dlc.yaml @@ -0,0 +1,20 @@ +group: agc +name: automobile-dlc +version: "7.0.0" +subfolder: 100-props-textures +info: + summary: Automobile DLC + description: |- + Automobile DLC will contain cars, trucks, tractors and bikes. + author: Barroco Hispano + website: https://community.simtropolis.com/files/file/34163-agc-automobile-dlc/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2021_11/AUTOMOBILEDLC.png.90037f64b7415404b3d0f94b47fe5e0a.png +assets: + - assetId: agc-automobile-dlc + +--- +assetId: agc-automobile-dlc +version: "7.0.0" +lastModified: "2024-09-13T21:11:43Z" +url: https://community.simtropolis.com/files/file/34163-agc-automobile-dlc/?do=download diff --git a/src/yaml/aln/rrp-pasture-flora.yaml b/src/yaml/aln/rrp-pasture-flora.yaml new file mode 100644 index 000000000..a05ab738f --- /dev/null +++ b/src/yaml/aln/rrp-pasture-flora.yaml @@ -0,0 +1,41 @@ +group: aln +name: rrp-pasture-flora-props +version: "2.0" +subfolder: 100-props-textures +info: + summary: RRP Pasture Flora Props + author: Chrisadams3997 + website: https://www.sc4evermore.com/index.php/downloads/download/25-flora-fauna-and-mayor-mode-ploppables/167-bsc-aln-rrp-pasture-flora +assets: + - assetId: aln-rrp-pasture-flora + include: + - /ALN_Pasture Flora.dat + +--- +group: aln +name: rrp-pasture-flora +version: "2.0" +subfolder: 180-flora +info: + summary: RRP Pasture Flora + description: |- + This pack contains a wide variety of mayor mode flora to enhance your terrains in rural and urban settings. + They can be found in the middle of the mayor mode menu. + author: Chrisadams3997 + website: https://www.sc4evermore.com/index.php/downloads/download/25-flora-fauna-and-mayor-mode-ploppables/167-bsc-aln-rrp-pasture-flora + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/flora1.jpg + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/flora2.jpg + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/flora3.jpg +dependencies: + - aln:rrp-pasture-flora-props +assets: + - assetId: aln-rrp-pasture-flora + exclude: + - /ALN_Pasture Flora.dat + +--- +assetId: aln-rrp-pasture-flora +version: "2.0" +lastModified: "2024-11-01T00:43:50.000Z" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=167%3Absc-aln-rrp-pasture-flora diff --git a/src/yaml/andisart/tower-verre-53w53.yaml b/src/yaml/andisart/tower-verre-53w53.yaml new file mode 100644 index 000000000..f1a471b49 --- /dev/null +++ b/src/yaml/andisart/tower-verre-53w53.yaml @@ -0,0 +1,49 @@ +group: andisart +name: tower-verre +version: "1.0-1" +subfolder: 360-landmark +info: + summary: Tower Verre - 53W53 (MoMA Expansion Tower) + description: | + - Origin: Midtown, New York City + - Construction: 2014 - 2018 + - Building Height: 320m after design revision. This BAT represents the original design (381m height) + - Architect: Jean Nouvel + - Lot Size: 4x2 + + Contains 3 different lots: + - Landmark + - Growable R$$$ (Tilesets: New York, Chicago) + - Plobbable with Jobs + + author: AndisArt + website: https://community.simtropolis.com/files/file/32106-tower-verre-53w53/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2018_02/ingame_plain.thumb.jpg.0635f65c4fb3e7a302c2dd1ee90da0f2.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_02/2018-FINAL_N_complete.thumb.jpg.3a6491ff11ae8d4eb39e138aa46657dc.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_02/2018-FINAL_E_complete.thumb.jpg.8f3f143f81c429b77e22f8d51e9ba579.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_02/2018-ingame_N_small.thumb.jpg.b965083f9b6f907373a4f6a31f6fd71e.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_02/2018-ingame_E_small.thumb.jpg.3d3963efff3efaf3b3f4b862f61bc688.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_02/closeup.thumb.jpg.a77e5252f67dd1dd2eadcf9adbe0dc30.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_02/logo.thumb.jpg.c5926809b29dd839553292b9dd8c7625.jpg + +variants: +- variant: { nightmode: standard } + assets: + - assetId: andisart-tower-verre-53w53-maxisnite +- variant: { nightmode: dark } + dependencies: ["simfox:day-and-nite-mod"] + assets: + - assetId: andisart-tower-verre-53w53-darknite + +--- +assetId: andisart-tower-verre-53w53-maxisnite +version: "1.0" +lastModified: "2018-02-05T23:58:20Z" +url: https://community.simtropolis.com/files/file/32106-tower-verre-53w53/?do=download&r=169929 + +--- +assetId: andisart-tower-verre-53w53-darknite +version: "1.0" +lastModified: "2018-02-05T23:58:20Z" +url: https://community.simtropolis.com/files/file/32106-tower-verre-53w53/?do=download&r=169930 diff --git a/src/yaml/andreas/bart-talent-elevated-and-subway-train.yaml b/src/yaml/andreas/bart-talent-elevated-and-subway-train.yaml new file mode 100644 index 000000000..07aa4d995 --- /dev/null +++ b/src/yaml/andreas/bart-talent-elevated-and-subway-train.yaml @@ -0,0 +1,22 @@ +group: andreas +name: bart-talent-elevated-and-subway-train +version: "1.0" +subfolder: 710-automata +info: + summary: BART Talent elevated and subway train + description: | + This mod will replace the original el-train/subway cars. + author: Andreas + website: https://community.simtropolis.com/files/file/11779-bart-talent-elevated-and-subway-train/ + images: + - https://www.simtropolis.com/objects/screens/monthly_02_2005/thumb-8a9b2c4bfad315377d91eefc23d05ef8-andreas_el-train_talent_bart1.jpg + - https://www.simtropolis.com/objects/screens/monthly_02_2005/thumb-8a9b2c4bfad315377d91eefc23d05ef8-andreas_el-train_talent_bart2.jpg + +assets: + - assetId: andreas-bart-talent-elevated-and-subway-train + +--- +assetId: andreas-bart-talent-elevated-and-subway-train +version: "1.0" +lastModified: "2005-02-26T01:06:38Z" +url: https://community.simtropolis.com/files/file/11779-bart-talent-elevated-and-subway-train/?do=download diff --git a/src/yaml/angry-mozart/na-freight-cars-props.yaml b/src/yaml/angry-mozart/na-freight-cars-props.yaml index be79866a9..f98f578e4 100644 --- a/src/yaml/angry-mozart/na-freight-cars-props.yaml +++ b/src/yaml/angry-mozart/na-freight-cars-props.yaml @@ -22,7 +22,7 @@ dependencies: - "angry-mozart:na-locomotive-props" info: summary: "HD North American rolling stock train props" - description: > + description: | Give realism to your railroad tracks, yards, sidings, spurs and industrial zones with these freight cars and locomotives dating from the 1980's to our modern days. This prop pack includes newer rolling stock pieces, some of them never seen before in SimCity 4, including autoracks, coil cars, gondolas, boxcars, hoppers, and tank cars, containers, and trailers. Over 300 different variations are included, all of them rendered in HD and in 20 different versions (ortho, diagonal, curve fitting and FAR versions). If you are looking for specific types of train cars only, consider one of the smaller specialized packs listed as dependency instead of this full one. @@ -94,6 +94,7 @@ info: summary: "HD North American autorack train props" description: | Even automobiles are delivered by rail,and this is done in autoracks. These long boxes come with one, two or three levels, depending of the size of the cars and trucks being transported. + These cars have many features that ensure the safety of the automobiles, like enclosing (the grey panels on the sides of the car), a roof, cushion systems and end doors for an easy loading/unloading, that protect the automobiles form Mother Nature and from rebel teenagers that throw rocks or paint the sides with graffiti. In this pack you'll find the 89 ft Enclosed Autorack , in a great variety of railroad liveries. author: "Angry Mozart" website: "https://community.simtropolis.com/files/file/31976-north-american-freight-cars-prop-pack/" diff --git a/src/yaml/angry-mozart/trucks-and-trailers-props.yaml b/src/yaml/angry-mozart/trucks-and-trailers-props.yaml index f44839f29..db22decf3 100644 --- a/src/yaml/angry-mozart/trucks-and-trailers-props.yaml +++ b/src/yaml/angry-mozart/trucks-and-trailers-props.yaml @@ -6,7 +6,7 @@ assets: - assetId: "angry-mozart-trucks-and-trailers-props" info: summary: "Truck and trailer props" - description: > + description: | This package includes 110 different models each one HD-rendered at 11.25°, 22.5°, 33.75°, 45° and 90° with their respective left versions. Prop families for the 22.5°, 22.5° left, 45° and 90° versions are also included. author: "Angry Mozart" images: diff --git a/src/yaml/ap/historic-navy.yaml b/src/yaml/ap/historic-navy.yaml index d00e33990..eab14c738 100644 --- a/src/yaml/ap/historic-navy.yaml +++ b/src/yaml/ap/historic-navy.yaml @@ -582,7 +582,7 @@ info: - "https://www.simtropolis.com/objects/screens/monthly_2024_06/Banner_vol26.png.f71e7f39c1d9d2a9df19114b38f4444e.png" - "https://www.simtropolis.com/objects/screens/monthly_2024_06/Picture1.png.713c66d7bb3615ceb4cdad3012ba42dc.png" website: "https://community.simtropolis.com/files/file/36319-historic-navy-pack-26-pier-clutter-props/" - description: > + description: | This may not sound like a very “professional” name for this prop pack, but it is most accurate. Docks, piers, and quays, though commonly found in harbors and naval anchorages, were surprisingly expensive to build and there never seemed to be enough of them. Consequently, they were always busy places - with ships coming and going - loading and unloading cargo - taking on provisions or ammunition -- or berthing ships while repairs were made or new equipment was installed. As a result of all this activity, docks and quaysides were crowded and littered with a wide variety of “clutter”. This small assortment of props was carefully chosen to add detail and authenticity to your docks and piers. This selection has been modeled to the scale of the sailors and dock workers to avoid the props already in the game which are often too large for the scene. The rusty anchors and anchor chains are perfect for any pier, or even a salvage yard. And the piles of planks covered by worn canvas tarps are perfect accessories to any dock - as are the perennial rope coils. One item, the refueling points, are especially useful and quite well done. diff --git a/src/yaml/aqua877/jrs-prop-pack.yaml b/src/yaml/aqua877/jrs-prop-pack.yaml index 17bb8eeff..e564dc771 100644 --- a/src/yaml/aqua877/jrs-prop-pack.yaml +++ b/src/yaml/aqua877/jrs-prop-pack.yaml @@ -11,6 +11,8 @@ info: --- assetId: "aqua-877-jrs-prop-pack-signs" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:37:13Z" url: "http://hide-inoki.com/bbs/archives/files/1107.zip" +checksum: + sha256: 28cbea30c01afe556884236210d0557c68787acc84c93535b9878aba10635ee3 diff --git a/src/yaml/aras/dh-zenit.yaml b/src/yaml/aras/dh-zenit.yaml index 894c5f3a8..fc82c2c6f 100644 --- a/src/yaml/aras/dh-zenit.yaml +++ b/src/yaml/aras/dh-zenit.yaml @@ -9,7 +9,7 @@ assets: info: summary: "Zenit trade house (CS$$) (AC)" - description: > + description: | DH Zenit is a 1960s trade house from Katowice, Poland. It comes as a growable and ploppable building on a 5×2 lot. author: "Aras/AC, PGB" diff --git a/src/yaml/b62/albertsons.yaml b/src/yaml/b62/albertsons.yaml index f93ea1901..8e17c8c76 100644 --- a/src/yaml/b62/albertsons.yaml +++ b/src/yaml/b62/albertsons.yaml @@ -5,7 +5,7 @@ subfolder: "300-commercial" info: summary: "A retro grocery store presented as a CS$ and Landmark" website: "https://community.simtropolis.com/files/file/29961-b62-remastered-albertsons-60s-retro-grocery/" - description: > + description: | Albertsons LLC is an American grocery company founded and based in Boise, Idaho in 1939. It is the second largest supermarket chain in North America after The Kroger Company. This package contains a 6x6 CS$ growable and ploppable lot. diff --git a/src/yaml/b62/bjs-wholesale.yaml b/src/yaml/b62/bjs-wholesale.yaml index fd4c5e805..442aaa45c 100644 --- a/src/yaml/b62/bjs-wholesale.yaml +++ b/src/yaml/b62/bjs-wholesale.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "BJ's Wholesale Grocery" - description: > + description: | BJ's was started by discount department store chain Zayre in 1984. The company's name was derived from the initials of Beverly Jean Weich, the daughter of Mervyn Weich, the president of the new company. As of November 6, 2013, BJ's operated 200 BJ's clubs in fifteen states and employed approximately 25,000 team members (both full- and part-time). Its major competitors are Costco Wholesale and Walmart's version of a warehouse club concept, Sam's Club. This package contains an 8x8 CS$ growable and ploppable lot. diff --git a/src/yaml/b62/bradlees.yaml b/src/yaml/b62/bradlees.yaml index a6bac3ec1..ea9182401 100644 --- a/src/yaml/b62/bradlees.yaml +++ b/src/yaml/b62/bradlees.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable department store" - description: > + description: | This package contains an 8x8 CS$ ploppable and growbale lot (right corner). author: "Bobbo662, nos.17" images: diff --git a/src/yaml/b62/caldor.yaml b/src/yaml/b62/caldor.yaml index 304c2dc8f..219dc5ecc 100644 --- a/src/yaml/b62/caldor.yaml +++ b/src/yaml/b62/caldor.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable department store" - description: > + description: | This is part of a series of bankrupted department chains created for your Sims to relive which what we had experienced in North America. Ames, Zayre, Woolco, Bradlees, and now Caldor all have been swallowed up by the effects of Sam Walton's, Wal-Mart. diff --git a/src/yaml/b62/circuit-city-70s.yaml b/src/yaml/b62/circuit-city-70s.yaml index a1c410549..261204d70 100644 --- a/src/yaml/b62/circuit-city-70s.yaml +++ b/src/yaml/b62/circuit-city-70s.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable electronics store" - description: > + description: | Circuit City Stores, Inc. was an American multinational consumer electronics corporation. It was founded in 1949 and pioneered the electronics superstore format in the 1970s. Circuit City liquidated its final American retail store in 2009, following a bankruptcy filing and subsequent failure to find a buyer. diff --git a/src/yaml/b62/circuit-city.yaml b/src/yaml/b62/circuit-city.yaml index 81954f29f..182da69c4 100644 --- a/src/yaml/b62/circuit-city.yaml +++ b/src/yaml/b62/circuit-city.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable electronics store" - description: > + description: | Circuit City Stores, Inc. was an American multinational consumer electronics corporation. It was founded in 1949 and pioneered the electronics superstore format in the 1970s. Circuit City liquidated its final American retail store in 2009, following a bankruptcy filing and subsequent failure to find a buyer. diff --git a/src/yaml/b62/cub-foods.yaml b/src/yaml/b62/cub-foods.yaml index f7682ef70..c1444033e 100644 --- a/src/yaml/b62/cub-foods.yaml +++ b/src/yaml/b62/cub-foods.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable supermarket" - description: > + description: | Cub Foods is a supermarket chain with seventy-three stores in Minnesota and Illinois. The company is a wholly owned subsidiary of Eden Prairie, Minnesota-based SuperValu Inc. The store was famous for being “no frills; sack your own groceries ...” Cub Foods is credited with many innovations, diff --git a/src/yaml/b62/culvers.yaml b/src/yaml/b62/culvers.yaml index 6d83e332d..51e5f2555 100644 --- a/src/yaml/b62/culvers.yaml +++ b/src/yaml/b62/culvers.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable restaurant" - description: > + description: | Culver Franchising System, Inc. is a privately owned and operated fast casual restaurant chain that operates primarily in the Midwestern United States. The first Culver’s opened in 1984 in Sauk City, Wisconsin. As of November 5, 2014, the chain had 527 restaurants across the United States delighting guests one meal at a time with their signature ButterBurgers and made-daily Fresh Frozen Custard. diff --git a/src/yaml/b62/cvs.yaml b/src/yaml/b62/cvs.yaml index 665204f72..1e0229c51 100644 --- a/src/yaml/b62/cvs.yaml +++ b/src/yaml/b62/cvs.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable drugstore" - description: > + description: | CVS was originally founded in Lowell, Massachusetts in 1963 and today, it is based in Woonsocket, Rhode Island. CVS is an acronym which stands for "Customer, Value, and Service." CVS now no longer builds stores without pharmacies, and many of the "CVS" stores (stores without pharmacies) have been phased out. diff --git a/src/yaml/b62/dominos-pizza.yaml b/src/yaml/b62/dominos-pizza.yaml index a018c049e..0f41df392 100644 --- a/src/yaml/b62/dominos-pizza.yaml +++ b/src/yaml/b62/dominos-pizza.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable pizza chain" - description: > + description: | Domino's Pizza is an American restaurant chain and international franchise pizza delivery corporation. Founded in 1960, Domino's is the second-largest pizza chain in the United States (after Pizza Hut) and the largest worldwide, with more than 10,000 corporate and franchised stores in 70 countries. diff --git a/src/yaml/b62/giant-food.yaml b/src/yaml/b62/giant-food.yaml index 5a847323c..9dae0da67 100644 --- a/src/yaml/b62/giant-food.yaml +++ b/src/yaml/b62/giant-food.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable retro grocery chain" - description: > + description: | Giant Food of Maryland, LLC, also known as Giant, is an American supermarket chain that was founded in 1936 when N.M. Cohen and Samuel Lehrman opened Washington, DC's first supermarket. Since its start, Giant has pioneered computer-assisted checkout scanning and operates over 170 stores and 156 full-service pharmacies located in Delaware, Maryland, Virginia, and Washington, D.C. diff --git a/src/yaml/b62/highs-store.yaml b/src/yaml/b62/highs-store.yaml index ceb68efcc..c04c1485e 100644 --- a/src/yaml/b62/highs-store.yaml +++ b/src/yaml/b62/highs-store.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable convenience store" - description: > + description: | In 1928, the High's brand was born as a quickly growing chain of ice cream stores in the Mid-Atlantic states. At one time there were more than 500 locations, making High's the largest ice cream store chain in the world. Today, High's is a chain of 50 convenience stores run by a team of 600 talented individuals. diff --git a/src/yaml/b62/hy-vee.yaml b/src/yaml/b62/hy-vee.yaml index 4ccf95b9e..3394511ea 100644 --- a/src/yaml/b62/hy-vee.yaml +++ b/src/yaml/b62/hy-vee.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable supermarket" - description: > + description: | Hy Vee was founded by Charles Hyde and David Vredenburg when they opened a general store in Beaconsfield, Iowa, in 1930. Hy-Vee Inc. employs over 60,000 individuals and is the largest employer in the state of Iowa. The company has annual sales of over $7.3 billion. diff --git a/src/yaml/b62/k-mart.yaml b/src/yaml/b62/k-mart.yaml index 223ec133c..50fe5b0f0 100644 --- a/src/yaml/b62/k-mart.yaml +++ b/src/yaml/b62/k-mart.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable department store" - description: > + description: | Kmart is an American chain of discount department stores headquartered in Hoffman Estates, Illinois, United States. The chain purchased Sears for $11 billion in 2005, forming a new corporation under the name Sears Holdings Corporation. The company was founded in 1962 and is the third largest discount store chain in the world, behind Walmart and Target. diff --git a/src/yaml/b62/little-caesars.yaml b/src/yaml/b62/little-caesars.yaml index f9ba6f792..8d66afebb 100644 --- a/src/yaml/b62/little-caesars.yaml +++ b/src/yaml/b62/little-caesars.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable pizza chain" - description: > + description: | Little Caesars is the third largest pizza chain in the United States and is headquartered in Detroit, Michigan. In its early days, the chain built stores where pizza was never served before, such as sports arenas, college dormitories, and military bases. Starting in 2004, the chain began offering "Hot-N-Ready" pizzas, where a customer could pick up a large pepperoni pizza for $5 without calling in or ordering ahead of time. diff --git a/src/yaml/b62/lowes-irm.yaml b/src/yaml/b62/lowes-irm.yaml index cb8aa46ec..2b4e72b3a 100644 --- a/src/yaml/b62/lowes-irm.yaml +++ b/src/yaml/b62/lowes-irm.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "400-industrial" info: summary: "Distribution warehouse compatible with Industrial Revolution Mod" - description: > + description: | This package contains a 6x7 I-M growable lot. author: "Bobbo662, nos.17" images: diff --git a/src/yaml/b62/lowes.yaml b/src/yaml/b62/lowes.yaml index 31cedeade..41669ab78 100644 --- a/src/yaml/b62/lowes.yaml +++ b/src/yaml/b62/lowes.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable home improvement and hardware store" - description: > + description: | Lowe's Companies, Inc. is an American company that operates a chain of retail home improvement and appliance store. Founded in 1946 in North Wilkesboro, North Carolina, the chain has 1,840 stores in the United States, Canada, and Mexico. Lowe's is the second-largest hardware chain in the United States behind The Home Depot and ahead of Menards. @@ -38,7 +38,7 @@ version: "3" subfolder: "400-industrial" info: summary: "Ploppable and growable industrial distribtion warehouse" - description: > + description: | Lowe's Companies, Inc. is an American company that operates a chain of retail home improvement and appliance store. Founded in 1946 in North Wilkesboro, North Carolina, the chain has 1,840 stores in the United States, Canada, and Mexico. Lowe's is the second-largest hardware chain in the United States behind The Home Depot and ahead of Menards. diff --git a/src/yaml/b62/pick-n-save.yaml b/src/yaml/b62/pick-n-save.yaml index e38f7166e..dcc8fa3c8 100644 --- a/src/yaml/b62/pick-n-save.yaml +++ b/src/yaml/b62/pick-n-save.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable grocery chain" - description: > + description: | William Zimmerman founded Pic 'N' Save Corporation in 1950 in Culver City, California. By 1985, it operated 90 stores in California and six other Western U.S. states. In 1991, the company changed its name to MacFrugals. diff --git a/src/yaml/b62/pizza-hut.yaml b/src/yaml/b62/pizza-hut.yaml index 31fb273a6..3e86a70f7 100644 --- a/src/yaml/b62/pizza-hut.yaml +++ b/src/yaml/b62/pizza-hut.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable pizza chain" - description: > + description: | Pizza Hut is an American restaurant chain and international franchise, known for pizza and side dishes and currently is the world's largest restaurant company. In 2012, the company had more than 6,000 Pizza Hut restaurants in the United States and had more than 5,139 store locations in 94 other countries and territories around the world. diff --git a/src/yaml/b62/red-robin.yaml b/src/yaml/b62/red-robin.yaml index 60adb2782..2a464f170 100644 --- a/src/yaml/b62/red-robin.yaml +++ b/src/yaml/b62/red-robin.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable American restaurant chain" - description: > + description: | "Come in and enjoy an outrageously delicious burger with Bottomless Steak Fries. Pair it with a cold beer or signature Freckled Lemonade." This package contains a 4x4 CS$$ growable and ploppable lot. diff --git a/src/yaml/b62/red-roof-inn.yaml b/src/yaml/b62/red-roof-inn.yaml index 07fd07497..fdb8b9798 100644 --- a/src/yaml/b62/red-roof-inn.yaml +++ b/src/yaml/b62/red-roof-inn.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable motel" - description: > + description: | Red Roof Inn was incorporated by founder James R. Trueman in 1972. The Inn first opened in Columbus, Ohio with a single room rate of $8.50 USD in 1973. Today, Red Roof Inn has more than 325 locations, serves millions of guests each year and employs over 6,000 people. diff --git a/src/yaml/b62/safeway-60s.yaml b/src/yaml/b62/safeway-60s.yaml index 2bb817d18..481aca88e 100644 --- a/src/yaml/b62/safeway-60s.yaml +++ b/src/yaml/b62/safeway-60s.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable supermarket" - description: > + description: | In 1915, Marion Barton Skaggs purchased his father's 576-square-foot (53.5 m2) grocery store in American Falls, Idaho, for 1,089. By 1926, he had opened 428 Skaggs stores in 10 states. In the 1930s Safeway introduced produce pricing by the pound, adding “sell by” dates on perishables to assure freshness, nutritional labeling, even some of the first parking lots. diff --git a/src/yaml/b62/safeway-70s.yaml b/src/yaml/b62/safeway-70s.yaml index 5fc1da247..78ea4ba85 100644 --- a/src/yaml/b62/safeway-70s.yaml +++ b/src/yaml/b62/safeway-70s.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable supermarket" - description: > + description: | In 1915, Marion Barton Skaggs purchased his father's 576-square-foot (53.5 m2) grocery store in American Falls, Idaho, for 1,089. By 1926, he had opened 428 Skaggs stores in 10 states. In the 1930s Safeway introduced produce pricing by the pound, adding “sell by” dates on perishables to assure freshness, nutritional labeling, even some of the first parking lots. diff --git a/src/yaml/b62/sams-club.yaml b/src/yaml/b62/sams-club.yaml index 22213e492..3097fcb39 100644 --- a/src/yaml/b62/sams-club.yaml +++ b/src/yaml/b62/sams-club.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable grocery club" - description: > + description: | The first Sam's Club opened in April 1983 in Midwest City, Oklahoma in the United States. Sam's Club is named after the founder of Wal-Mart, Sam Walton. To purchase items from Sam's Club, one must purchase a membership. diff --git a/src/yaml/b62/saverite.yaml b/src/yaml/b62/saverite.yaml index 95ff4873e..08b1a066f 100644 --- a/src/yaml/b62/saverite.yaml +++ b/src/yaml/b62/saverite.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable grocery store" - description: > + description: | Winn-Dixie created the Save-Rite brand as an experiment to increase its revenues and opened 11 stores throughout its distribution area. In November 2001, Winn-Dixie announced plans to convert nearly all of its 40-some Winn-Dixie and Winn-Dixie Marketplace brand stores in the metro Atlanta area into Save-Rites as a last-ditch effort to keep a hold on its market share, diff --git a/src/yaml/b62/sears-grand.yaml b/src/yaml/b62/sears-grand.yaml index dd8f896bc..739051d68 100644 --- a/src/yaml/b62/sears-grand.yaml +++ b/src/yaml/b62/sears-grand.yaml @@ -4,7 +4,7 @@ version: "4.1" subfolder: "300-commercial" info: summary: "Ploppable Sears superstore and shopping center" - description: > + description: | Sears Grand is a one-stop home and family solution center that delivers a mix of quality products such as Sears' proprietary and national brands that no other store provides. Everything busy people need to maintain their family on-the-go can conveniently be found here under one roof. diff --git a/src/yaml/b62/service-station-mega-pack.yaml b/src/yaml/b62/service-station-mega-pack.yaml index 38af3d968..60b73e118 100644 --- a/src/yaml/b62/service-station-mega-pack.yaml +++ b/src/yaml/b62/service-station-mega-pack.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Service and gas stations" - description: > + description: | This package contains 45 lots (growable CS$ and CS$$) of sizes 1x1 to 4x4. Lots for the following brands are included in this package: diff --git a/src/yaml/b62/shopko.yaml b/src/yaml/b62/shopko.yaml index 3df385f0d..5bbb18187 100644 --- a/src/yaml/b62/shopko.yaml +++ b/src/yaml/b62/shopko.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable department store" - description: > + description: | Shopko was founded in 1962 by James Ruben, and its first store opened in Green Bay. In 2012, Shopko merged with Pamida, a regional discount chain that operated mainly in smaller communities of 3,000 to 8,000 people; all the stores were rebranded under the Shopko Hometown name. diff --git a/src/yaml/b62/ustore.yaml b/src/yaml/b62/ustore.yaml index d997ef15d..3c84a43bc 100644 --- a/src/yaml/b62/ustore.yaml +++ b/src/yaml/b62/ustore.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable storage units" - description: > + description: | U-Stor is the leading provider of clean, safe, and individually alarmed self-storage mini warehouses. We offer the affordable solution to your storage needs at competitive rates. diff --git a/src/yaml/b62/verizon.yaml b/src/yaml/b62/verizon.yaml index 178161b9c..f55a2c4a0 100644 --- a/src/yaml/b62/verizon.yaml +++ b/src/yaml/b62/verizon.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "400-industrial" info: summary: "A Verizon cellular broadcast tower" - description: > + description: | Lately your sims have been complaining about the crappy cell service in your city. Luckily, you decided to commission this new Verizon Substation in your city to boost service before the sims riot. diff --git a/src/yaml/b62/walmart-01.yaml b/src/yaml/b62/walmart-01.yaml index 4a0abc5a8..156155861 100644 --- a/src/yaml/b62/walmart-01.yaml +++ b/src/yaml/b62/walmart-01.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable Walmart supercenter" - description: > + description: | Sam Walton started his discount store and the simple idea of selling more for less, which has grown into the Walmart brand, the largest retailer in the world. Today, nearly 260 million customers visit more than 11,500 stores under 65 banners in 28 countries each week. With fiscal year 2015 net sales of $482.2 billion, Walmart employs 2.2 million associates worldwide – 1.4 million in the U.S. alone. diff --git a/src/yaml/b62/walmart-02.yaml b/src/yaml/b62/walmart-02.yaml index 867046213..da92eeb39 100644 --- a/src/yaml/b62/walmart-02.yaml +++ b/src/yaml/b62/walmart-02.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable Walmart supercenter" - description: > + description: | Many trace discount retailing's birth to 1962, the first year of operation for Kmart, Target and Wal-Mart. Sam Walton and his wife, Helen, put up 95 percent of the money for the first Wal-Mart store in Rogers, Arkansas - borrowing heavily on Sam's vision that the American consumer was hinting to a different type of general store. diff --git a/src/yaml/b62/walmart-03.yaml b/src/yaml/b62/walmart-03.yaml index 2c3857824..e33f5f32b 100644 --- a/src/yaml/b62/walmart-03.yaml +++ b/src/yaml/b62/walmart-03.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable Walmart supercenter" - description: > + description: | Many trace discount retailing's birth to 1962, the first year of operation for Kmart, Target and Wal-Mart. Sam Walton and his wife, Helen, put up 95 percent of the money for the first Wal-Mart store in Rogers, Arkansas - borrowing heavily on Sam's vision that the American consumer was hinting to a different type of general store. diff --git a/src/yaml/b62/winn-dixie.yaml b/src/yaml/b62/winn-dixie.yaml index 58702cca8..a5e8af4b6 100644 --- a/src/yaml/b62/winn-dixie.yaml +++ b/src/yaml/b62/winn-dixie.yaml @@ -4,7 +4,7 @@ version: "3" subfolder: "300-commercial" info: summary: "Ploppable and growable grocery store" - description: > + description: | Winn-Dixie Stores, Inc. is a subsidiary of Southeastern Grocers, which is the fifth-largest conventional supermarket in the United States based on store count. Founded in 1925, Winn-Dixie employs more than 72,000 associates who serve customers in 790 grocery stores and 527 in-store pharmacies throughout the five southeastern states of Alabama, Florida, Georgia, Louisiana, and Mississippi. diff --git a/src/yaml/barroco-hispano/agc-dlc.yaml b/src/yaml/barroco-hispano/agc-dlc.yaml index 02e2e491e..15788f70a 100644 --- a/src/yaml/barroco-hispano/agc-dlc.yaml +++ b/src/yaml/barroco-hispano/agc-dlc.yaml @@ -8,7 +8,7 @@ assets: info: summary: "Ancient Greek props" website: "https://community.simtropolis.com/files/file/35795-agc-ancient-greece-dlc/" - description: > + description: | Does not include night lights. Props are listed under the names 'AGC_Buildings_Greece_' and 'AGC_Props_Greece_'. author: "Barroco Hispano" images: @@ -109,7 +109,7 @@ subfolder: "100-props-textures" info: summary: "Futuristic space craft props" website: "https://community.simtropolis.com/files/file/35849-agc-space-ships-dlc/" - description: > + description: | Props do not include night lights. author: "Barroco Hispano" images: @@ -137,7 +137,7 @@ subfolder: "100-props-textures" info: summary: "Small props for streets and sidewalks" website: "https://community.simtropolis.com/files/file/36152-agc-streets-dlc/" - description: > + description: | Props can be found with the names AGC_Props_St_ and AGC_Subway_ . author: "Barroco Hispano" images: diff --git a/src/yaml/bipin/industry-essentials.yaml b/src/yaml/bipin/industry-essentials.yaml new file mode 100644 index 000000000..555a26d6c --- /dev/null +++ b/src/yaml/bipin/industry-essentials.yaml @@ -0,0 +1,27 @@ +group: bipin +name: industry-essentials-resources +version: "1.0" +subfolder: 100-props-textures +info: + summary: Industry Essentials Resources + author: Bipin + website: https://community.simtropolis.com/files/file/29145-industry-essentials/ + images: + - https://www.simtropolis.com/objects/screens/monthly_12_2013/f1cf534fb042094a57f814e7cd9a21fb-industry_essntials_splash.jpg + - https://www.simtropolis.com/objects/screens/monthly_2017_03/bipin_indesslogo.jpg.809fdd4875f00239e216d2f16af21ad7.jpg +assets: + - assetId: bipin-industry-essentials + include: + - \.SC4Desc$ + - \.SC4Model$ + - \.dat$ + +# The pack also contains lots, but those require more dependencies, so we don't +# do this for now. It's not needed for SM2's content, but feel free to add the +# lots as well. + +--- +assetId: bipin-industry-essentials +version: "1.0" +lastModified: "2017-03-12T05:09:18Z" +url: https://community.simtropolis.com/files/file/29145-industry-essentials/?do=download diff --git a/src/yaml/blam/zaxbys.yaml b/src/yaml/blam/zaxbys.yaml index 3b002dc27..bb3e92aba 100644 --- a/src/yaml/blam/zaxbys.yaml +++ b/src/yaml/blam/zaxbys.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "300-commercial" info: summary: "Ploppable and growable chicken restaurant" - description: > + description: | Zaxby's is a franchised chain of fast casual restaurants that operates in the southeastern United States. In this chain there are about 350 locations. Its menu is built around high quality buffalo wings and chicken fingers, including them on platters, in sandwiches, and on salads. @@ -30,7 +30,7 @@ version: "1" subfolder: "100-props-textures" info: summary: "Model file for the chicken restaurant" - description: > + description: | This package only contains the model file for use as a dependency. author: "MarcosMX" website: "https://community.simtropolis.com/files/file/16614-blam-zaxbys/" diff --git a/src/yaml/blanco/train-prop-pack.yaml b/src/yaml/blanco/train-prop-pack.yaml new file mode 100644 index 000000000..049166102 --- /dev/null +++ b/src/yaml/blanco/train-prop-pack.yaml @@ -0,0 +1,16 @@ +group: blanco +name: train-prop-pack +version: "2.0" +subfolder: 100-props-textures +assets: + - assetId: blanco-train-prop-pack +info: + summary: Tram Prop Pack + author: blanco + website: https://www.toutsimcities.com/downloads/view/1573 + +--- +assetId: blanco-train-prop-pack +version: "2.0" +lastModified: "2009-07-30T12:00:00Z" +url: https://www.toutsimcities.com/downloads/start/1573 diff --git a/src/yaml/blanco/tram-prop-pack.yaml b/src/yaml/blanco/tram-prop-pack.yaml new file mode 100644 index 000000000..1f306f249 --- /dev/null +++ b/src/yaml/blanco/tram-prop-pack.yaml @@ -0,0 +1,16 @@ +group: blanco +name: tram-prop-pack +version: "1.0" +subfolder: 100-props-textures +assets: + - assetId: blanco-tram-prop-pack +info: + summary: Tram Prop Pack + author: blanco + website: https://www.toutsimcities.com/downloads/view/1516 + +--- +assetId: blanco-tram-prop-pack +version: "1.0" +lastModified: "2009-05-18T12:00:00Z" +url: https://www.toutsimcities.com/downloads/start/1516 diff --git a/src/yaml/blunder/pacific-northwest-tree-controller.yaml b/src/yaml/blunder/pacific-northwest-tree-controller.yaml index eb342570e..14340e764 100644 --- a/src/yaml/blunder/pacific-northwest-tree-controller.yaml +++ b/src/yaml/blunder/pacific-northwest-tree-controller.yaml @@ -16,14 +16,14 @@ dependencies: info: summary: "God-mode flora brush with seasonal trees from the Pacific Northwest" - warning: >- + warning: |- This is a seasonal tree controller. Seasonal trees must be planted on September 1st. When switching to another tree controller, always remove any and all trees planted with your previous tree controller *before* uninstalling your old tree controller. - conflicts: >- + conflicts: |- Only compatible with terrain mods that include the Seasonal Flora Patch. Incompatible with all other tree controllers – only one tree controller may be installed at a time. - description: > + description: | This is a seasonal tree controller designed to give trees generated by your god-mode flora brush the appearance of flora from the Pacific Northwest. The lower elevation features maples intersperced among large conifers, the diff --git a/src/yaml/blunder/stanley-seawalls.yaml b/src/yaml/blunder/stanley-seawalls.yaml index 4fa101da1..f268adc60 100644 --- a/src/yaml/blunder/stanley-seawalls.yaml +++ b/src/yaml/blunder/stanley-seawalls.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: "660-parks" info: summary: Stanley Seawalls Base Set - description: > + description: | A simple set of seawalls inspired by and (loosely) mimicking the seawalls in Stanley Park, Vancouver BC. author: blunder website: "https://community.simtropolis.com/files/file/30868-stanley-seawalls/" diff --git a/src/yaml/bsc/census-repository.yaml b/src/yaml/bsc/census-repository.yaml index 9efd8e738..b79330119 100644 --- a/src/yaml/bsc/census-repository.yaml +++ b/src/yaml/bsc/census-repository.yaml @@ -12,7 +12,7 @@ assets: info: summary: "Provides detailed stats about city growth" - description: > + description: | The Census Repository's query provides detailed information about the city's residential, commercial and industrial supply, demand and CAPs. Additional information shown includes vacant houses, unemployment, diff --git a/src/yaml/bsc/vdk-prop-pack-vol03-gevo-engines.yaml b/src/yaml/bsc/vdk-prop-pack-vol03-gevo-engines.yaml new file mode 100644 index 000000000..467323816 --- /dev/null +++ b/src/yaml/bsc/vdk-prop-pack-vol03-gevo-engines.yaml @@ -0,0 +1,25 @@ +group: bsc +name: vdk-gevo-props +version: "1.0" +subfolder: 100-props-textures +info: + summary: GEVo Engines by Vester (Prop Pack Vol03) + author: Vester + website: https://www.sc4evermore.com/index.php/downloads/download/296-bsc-vdk-prop-pack-vol03-gevo-engines + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/VDK%20GEvo%20Props%20readme.jpg +assets: + - assetId: bsc-vdk-prop-pack-vol03-gevo-engines + include: # a random selection of textures for convenience + - /BSCProps/ + - /VDK GEVo Textures Props P1 Vol03A BN3.dat + - /VDK GEVo Textures Props P2 Vol03B CV.dat + - /VDK GEVo Textures Props P3 Vol03C SP5 SPSF.dat + - /VDK GEVo Textures Props P4 Vol03D NC.dat + - /VDK GEVo Textures Props P5 Vol03E NYSW.dat + +--- +assetId: bsc-vdk-prop-pack-vol03-gevo-engines +version: "1.0" +lastModified: "2024-09-09T01:00:41.000Z" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=296%3Absc-vdk-prop-pack-vol03-gevo-engines diff --git a/src/yaml/cam/colossus-addon-mod.yaml b/src/yaml/cam/colossus-addon-mod.yaml index 47b9087b4..988bdb20b 100644 --- a/src/yaml/cam/colossus-addon-mod.yaml +++ b/src/yaml/cam/colossus-addon-mod.yaml @@ -35,14 +35,14 @@ variantDescriptions: info: summary: Colossus Addon Mod - warning: >- + warning: |- It is crucial to start a new region when installing CAM, as the mod drastically changes the simulation parameters. - conflicts: >- + conflicts: |- Only compatible with game version 1.1.641, the Windows digital edition. See the CAM manual for a list of mod incompatibilities. - description: > + description: | The Colossus Addon Mod (CAM) is a big mod that drastically changes the way cities and regions develop. Most importantly, it adds new Growth Stages 9 to 15, beyond the game's default Stages 1 through 8. This leads to extended and more realistic gameplay, especially for the later phases of the game. diff --git a/src/yaml/cogeo/logistics-centre-dependency-pack.yaml b/src/yaml/cogeo/logistics-centre-dependency-pack.yaml new file mode 100644 index 000000000..8fd898e73 --- /dev/null +++ b/src/yaml/cogeo/logistics-centre-dependency-pack.yaml @@ -0,0 +1,37 @@ +assetId: cogeo-logistics-centre-dependency-pack +version: "2.0" +lastModified: "2024-01-21T00:58:13Z" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=212:cogeo-logistics-centre-dependency-pack-v2 + +--- +group: cogeo +name: logistics-centre-dependency-pack +version: "2.0" +subfolder: 100-props-textures +info: + summary: Warehouses BATProps A & B + description: |- + This package contains warehouse buildings and additional prop families. + author: cogeo + website: https://www.sc4evermore.com/index.php/downloads/download/22-dependencies/212-cogeo-logistics-centre-dependency-pack-v2 + images: + - https://www.simtropolis.com/objects/screens/0018/a56f9ed6fc5fe3622c9611eb12ef2e3b-WALeft.jpg + - https://www.simtropolis.com/objects/screens/0018/a56f9ed6fc5fe3622c9611eb12ef2e3b-WARight.jpg + - https://www.simtropolis.com/objects/screens/0019/acf131803459f15db092134547827637-WBLeft.jpg + - https://www.simtropolis.com/objects/screens/0019/acf131803459f15db092134547827637-WBRight.jpg +assets: + - assetId: cogeo-logistics-centre-dependency-pack + include: + - Cogeo_LCP_Warehouses_BATProps v..dat # must load before LHD patch, so we extract it to the top-level + - assetId: cogeo-logistics-centre-dependency-pack + include: + - FreightAutomataSpawningScripts_Swamper77.dat + - LCP_Locale_US.dat + - /Props/ +variants: + - variant: { driveside: right } + - variant: { driveside: left } + assets: + - assetId: cogeo-logistics-centre-dependency-pack + include: + - z_LCP_UK_PathingPatch.dat diff --git a/src/yaml/cycledogg/terrain-mods.yaml b/src/yaml/cycledogg/terrain-mods.yaml index f19e8f57b..e4bee98ff 100644 --- a/src/yaml/cycledogg/terrain-mods.yaml +++ b/src/yaml/cycledogg/terrain-mods.yaml @@ -34,7 +34,7 @@ assets: # using the same asset multiple times to enforce a flat folder structur info: summary: "Badlands terrain mod based on eastern Montana, including Rock, Water & Beach mod" conflicts: "Incompatible with all other terrain mods – only one terrain mod may be installed. Compatible with seasonal tree controllers." - description: > + description: | This is an SD terrain mod, compatible with software rendering mode. This package comes with the Lowkee33 Seasonal Flora Patch pre-applied. diff --git a/src/yaml/cycledogg/trees.yaml b/src/yaml/cycledogg/trees.yaml index 06d80ea88..9bb89129d 100644 --- a/src/yaml/cycledogg/trees.yaml +++ b/src/yaml/cycledogg/trees.yaml @@ -18,7 +18,7 @@ assets: info: summary: "CPT Terrain Essentials No8 and No9" - description: > + description: | This pack contains tree models for use with various CPT tree mods and includes the contents of the former files CPT_No8_TreeModelsPartOne.dat and CPT_No9_TreeModelsPartTwo.dat. diff --git a/src/yaml/diego-del-llano/345-california-center.yaml b/src/yaml/diego-del-llano/345-california-center.yaml index 63596bdb3..390e62852 100644 --- a/src/yaml/diego-del-llano/345-california-center.yaml +++ b/src/yaml/diego-del-llano/345-california-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: 345 California Center - description: > + description: | 345 California Center is a 48-story office tower in the financial district of San Francisco, California. Completed in 1986, the 211.8 m (695 ft) tower is the third-tallest in the city after the Transamerica Pyramid and 555 California Street if the spires are included. It was originally proposed to be 30 m (98 ft) taller. diff --git a/src/yaml/diego-del-llano/432-park-avenue.yaml b/src/yaml/diego-del-llano/432-park-avenue.yaml index 82e024971..61babfdf8 100644 --- a/src/yaml/diego-del-llano/432-park-avenue.yaml +++ b/src/yaml/diego-del-llano/432-park-avenue.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: 432 Park Avenue, New York - description: > + description: | 432 Park Avenue is a residential skyscraper in New York City that overlooks Central Park. Originally proposed to be 1,300 feet (396.2 meters) in 2011, the structure topped out at 1,396 ft (425.5 m). It was developed by CIM Group and features 125 condominium apartments. diff --git a/src/yaml/diego-del-llano/aldred-building.yaml b/src/yaml/diego-del-llano/aldred-building.yaml index 54001c276..649e293ed 100644 --- a/src/yaml/diego-del-llano/aldred-building.yaml +++ b/src/yaml/diego-del-llano/aldred-building.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Aldred Building - description: > + description: | The Aldred Building (French: Édifice Aldred; also known as Édifice La Prévoyance) is an Art deco building on the historic Place d'Armes square in the Old Montreal quarter of Montreal, Quebec, Canada. Completed in 1931, the building was designed by Ernest Isbell Barott, of the firm Barott and Blackader, with a height of 96 metres (316 ft) or 23 storeys. diff --git a/src/yaml/diego-del-llano/aon-center.yaml b/src/yaml/diego-del-llano/aon-center.yaml index e6b5d460d..f3f3933cb 100644 --- a/src/yaml/diego-del-llano/aon-center.yaml +++ b/src/yaml/diego-del-llano/aon-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Aon Center - description: > + description: | Aon Center is a 62-story, 860 ft (260 m) Modernist office skyscraper at 707 Wilshire Boulevard in downtown Los Angeles, California. Designed by Charles Luckman, site excavation started in late-1970, and the tower was completed in 1973, the rectangular bronze-clad building with white trim is remarkably slender for a skyscraper in a seismically active area. It is the second tallest building in Los Angeles, the second tallest in California, and the 31st tallest in the United States. diff --git a/src/yaml/diego-del-llano/ariel-east.yaml b/src/yaml/diego-del-llano/ariel-east.yaml index 312b47b23..cb78e2811 100644 --- a/src/yaml/diego-del-llano/ariel-east.yaml +++ b/src/yaml/diego-del-llano/ariel-east.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Ariel East at 2628 Broadway - description: > + description: | The Ariel East and Ariel West are a pair of apartment buildings on either side of Broadway at 99th Street, the tallest buildings on Manhattan's predominantly residential Upper West Side. Ariel East is at 2628 Broadway, and West is at 245 West 99th Street. diff --git a/src/yaml/diego-del-llano/bank-of-america-center.yaml b/src/yaml/diego-del-llano/bank-of-america-center.yaml index e7903b6ee..fc98cecda 100644 --- a/src/yaml/diego-del-llano/bank-of-america-center.yaml +++ b/src/yaml/diego-del-llano/bank-of-america-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: 555 California Street (Bank Of America Center) - description: > + description: | 555 California Street, formerly Bank of America Center, is a 52-story 779 ft (237 m) skyscraper in San Francisco, California. It is the fourth tallest building in the city, the largest by floor area, and a focal point of the Financial District. diff --git a/src/yaml/diego-del-llano/bd-bacata.yaml b/src/yaml/diego-del-llano/bd-bacata.yaml index e34d32132..1e0ef1ba7 100644 --- a/src/yaml/diego-del-llano/bd-bacata.yaml +++ b/src/yaml/diego-del-llano/bd-bacata.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: BD Bacata - description: > + description: | BD Bacatá (abbreviation for Bogotá Downtown Bacatá) is an architectural complex currently under construction in Bogotá, Colombia, featuring the tallest building in the country, surpassing the Torre Colpatria, and the sixth tallest in South America. The South Tower is 67 stories high and covers a total surface area of 1,200,000 square feet (111,480 m2). Development includes office and retail space, apartments and a 364-room hotel, replacing the former Hotel Bacatá that was constructed in the same location. diff --git a/src/yaml/diego-del-llano/cahalane-communications.yaml b/src/yaml/diego-del-llano/cahalane-communications.yaml index cf0da95b5..59aaf5359 100644 --- a/src/yaml/diego-del-llano/cahalane-communications.yaml +++ b/src/yaml/diego-del-llano/cahalane-communications.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Cahalane Communications - description: > + description: | Cahalane Communications is a Commercial Offices Building. The height is 200 m approximately. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/capella-tower.yaml b/src/yaml/diego-del-llano/capella-tower.yaml index dbf2f6b5b..14a9f8a71 100644 --- a/src/yaml/diego-del-llano/capella-tower.yaml +++ b/src/yaml/diego-del-llano/capella-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Capella Tower (225 South Sixth) - description: > + description: | Capella Tower (also 225 South Sixth) is a skyscraper in Minneapolis, Minnesota, United States. The building opened in 1992 with the First Bank Place being the headquarters for First Bank System. In 1997, First Bank System acquired US Bancorp and changed the name of the building to US Bancorp Place. diff --git a/src/yaml/diego-del-llano/carlton-center.yaml b/src/yaml/diego-del-llano/carlton-center.yaml index 40795e202..47d402a2e 100644 --- a/src/yaml/diego-del-llano/carlton-center.yaml +++ b/src/yaml/diego-del-llano/carlton-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Carlton Center - description: > + description: | The Carlton Centre is a skyscraper and shopping centre located in downtown Johannesburg, South Africa. At 223 metres (732 ft), it has been the tallest office building in Africa since 1973. The Carlton Centre has 50 floors. diff --git a/src/yaml/diego-del-llano/carlton-hotel-johannesburg.yaml b/src/yaml/diego-del-llano/carlton-hotel-johannesburg.yaml index 680c3063d..6a3086172 100644 --- a/src/yaml/diego-del-llano/carlton-hotel-johannesburg.yaml +++ b/src/yaml/diego-del-llano/carlton-hotel-johannesburg.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Carlton Hotel Johannesburg - description: > + description: | The Carlton Hotel is a historic hotel in the Central Business District of Johannesburg, South Africa. It opened in 1972 as part of the enormous Carlton Centre complex, and has been closed since 1998. diff --git a/src/yaml/diego-del-llano/central-park-corporativo.yaml b/src/yaml/diego-del-llano/central-park-corporativo.yaml index 3bbc31eef..2fd66fa7a 100644 --- a/src/yaml/diego-del-llano/central-park-corporativo.yaml +++ b/src/yaml/diego-del-llano/central-park-corporativo.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Central Park Corporativo - description: > + description: | Building Located in Guadalajara, Mexico. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/centurylink-tower-denver.yaml b/src/yaml/diego-del-llano/centurylink-tower-denver.yaml index 89291b503..e4f41dd2f 100644 --- a/src/yaml/diego-del-llano/centurylink-tower-denver.yaml +++ b/src/yaml/diego-del-llano/centurylink-tower-denver.yaml @@ -4,7 +4,7 @@ version: "2.0.0" subfolder: 360-landmark info: summary: Centurylink Tower Denver (1801 California Street) - description: > + description: | 1801 California Street, also known as CenturyLink Tower, is a skyscraper in Denver, Colorado. The building was completed in 1983, and rises 53 floors and 709 feet (216 m) in height. The building stands as the second-tallest building in Denver and Colorado, and as the 111th-tallest building in the United States. diff --git a/src/yaml/diego-del-llano/chanin-building.yaml b/src/yaml/diego-del-llano/chanin-building.yaml index 7cb664537..fdbaca5dd 100644 --- a/src/yaml/diego-del-llano/chanin-building.yaml +++ b/src/yaml/diego-del-llano/chanin-building.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Chanin Building - description: > + description: | The Chanin Building is a brick and terra-cotta skyscraper located at 122 East 42nd Street, at the corner of Lexington Avenue, in Midtown Manhattan, New York City. Built by Irwin S. Chanin in 1929, it is 56 stories high, reaching 197.8 metres (649 ft) excluding the spire and 207.3 metres (680 ft) including it. diff --git a/src/yaml/diego-del-llano/citigroup-center-los-angeles.yaml b/src/yaml/diego-del-llano/citigroup-center-los-angeles.yaml index b1f190848..eb8cab6b3 100644 --- a/src/yaml/diego-del-llano/citigroup-center-los-angeles.yaml +++ b/src/yaml/diego-del-llano/citigroup-center-los-angeles.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Citigroup Center Los Angeles - description: > + description: | Recently renamed 'Citigroup Center' is now FourFortyFour South Flower, a 627 ft (191 m) 48-story skyscraper at 444 S. Flower Street in the Bunker Hill area of downtown Los Angeles, California. When completed in 1981, the tower was the fifth-tallest in the city. diff --git a/src/yaml/diego-del-llano/citigroup-center-new-york.yaml b/src/yaml/diego-del-llano/citigroup-center-new-york.yaml index ecaafc909..1599dcea9 100644 --- a/src/yaml/diego-del-llano/citigroup-center-new-york.yaml +++ b/src/yaml/diego-del-llano/citigroup-center-new-york.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Citigroup Center New York, 601 Lexington Avenue - description: > + description: | The Citigroup Center (formerly Citicorp Center and now known by its address, 601 Lexington Avenue) is an office tower in New York City, located at 53rd Street between Lexington Avenue and Third Avenue in midtown Manhattan. It was built in 1977 to house the headquarters of Citibank. It is 915 feet (279 m) tall, and has 59 floors with 1.3 million square feet (120,000 m²) of office space. diff --git a/src/yaml/diego-del-llano/cititower-guadalajara.yaml b/src/yaml/diego-del-llano/cititower-guadalajara.yaml index 5d610ce19..f4b5ab339 100644 --- a/src/yaml/diego-del-llano/cititower-guadalajara.yaml +++ b/src/yaml/diego-del-llano/cititower-guadalajara.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Cititower Guadalajara - description: > + description: | Cititower is a Mixed complex located in Guadalajara, Mexico. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/ciudadela-san-martin-tower-one.yaml b/src/yaml/diego-del-llano/ciudadela-san-martin-tower-one.yaml index 02e10049d..2da64c1e9 100644 --- a/src/yaml/diego-del-llano/ciudadela-san-martin-tower-one.yaml +++ b/src/yaml/diego-del-llano/ciudadela-san-martin-tower-one.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Ciudadela San Martin Tower One - description: > + description: | High Rise, locted in the Capital city of Bogota, Colombia. Height is 170 m. diff --git a/src/yaml/diego-del-llano/ciudadela-san-martin.yaml b/src/yaml/diego-del-llano/ciudadela-san-martin.yaml index 81c44a8aa..241b1482a 100644 --- a/src/yaml/diego-del-llano/ciudadela-san-martin.yaml +++ b/src/yaml/diego-del-llano/ciudadela-san-martin.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Ciudadela San Martin - description: > + description: | High Rise, locted in the Capital city of Bogota, Colombia. Height is 170 m. diff --git a/src/yaml/diego-del-llano/columbia-center.yaml b/src/yaml/diego-del-llano/columbia-center.yaml index 182e5c401..27e2de104 100644 --- a/src/yaml/diego-del-llano/columbia-center.yaml +++ b/src/yaml/diego-del-llano/columbia-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Columbia Center - description: > + description: | The Columbia Center, formerly named the Bank of America Tower and Columbia Seafirst Center, is a skyscraper in downtown Seattle, Washington. The 76-story structure is the tallest building in Seattle and the state of Washington, reaching a height of 937 ft (286 m). At the time of its completion, the Columbia Center was the tallest structure on the West Coast; as of 2017, it is the fourth-tallest, behind buildings in Los Angeles and San Francisco. diff --git a/src/yaml/diego-del-llano/comcast-center.yaml b/src/yaml/diego-del-llano/comcast-center.yaml index 40131f437..5f8895665 100644 --- a/src/yaml/diego-del-llano/comcast-center.yaml +++ b/src/yaml/diego-del-llano/comcast-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Comcast Center - description: > + description: | Comcast Center is a skyscraper in Center City, Philadelphia, Pennsylvania, United States. The 58-story, 297-meter (974 ft) tower is the tallest building in Philadelphia and the state of Pennsylvania, as well as the twenty-second tallest building in the United States. Originally called One Pennsylvania Plaza when the building was first announced in 2001, the Comcast Center went through two redesigns before construction began in 2005. diff --git a/src/yaml/diego-del-llano/commerzbank-tower.yaml b/src/yaml/diego-del-llano/commerzbank-tower.yaml index 5d2f5ab5e..f0f11713d 100644 --- a/src/yaml/diego-del-llano/commerzbank-tower.yaml +++ b/src/yaml/diego-del-llano/commerzbank-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Commerzbank Tower - description: > + description: | Commerzbank Tower is a 56-story, 259 m (850 ft) skyscraper in the Innenstadt district of Frankfurt, Germany. An antenna spire with a signal light on top gives the tower a total height of 300.1 m (985 ft). It is the tallest building in Frankfurt and the tallest building in Germany. diff --git a/src/yaml/diego-del-llano/complete-collection.yaml b/src/yaml/diego-del-llano/complete-collection.yaml index bbbcd6fea..255bafdd3 100644 --- a/src/yaml/diego-del-llano/complete-collection.yaml +++ b/src/yaml/diego-del-llano/complete-collection.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Complete collection of all of Diego Del Llano's landmarks - description: > + description: | The collection consists of the North America collection, the Latin America collection as well as individual buildings from around the world. diff --git a/src/yaml/diego-del-llano/denver-art-museum.yaml b/src/yaml/diego-del-llano/denver-art-museum.yaml index 7eda0f20e..43c494735 100644 --- a/src/yaml/diego-del-llano/denver-art-museum.yaml +++ b/src/yaml/diego-del-llano/denver-art-museum.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: "Denver Art Museum: Frederic C Hamilton Building" - description: > + description: | The Frederic C. Hamilton Building holds the Modern and Contemporary art collection, along with the Architecture and Design collection, and Oceanic art collection. The unique building also serves as the main entrance to the rest of the museum complex.[8]This ambitious project doubled the size of the museum, allowing for an expansion of the art on view, inside a bold aesthetic facade. diff --git a/src/yaml/diego-del-llano/denver-place.yaml b/src/yaml/diego-del-llano/denver-place.yaml index 03d0e7d83..d4924522f 100644 --- a/src/yaml/diego-del-llano/denver-place.yaml +++ b/src/yaml/diego-del-llano/denver-place.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Denver Place - description: > + description: | Denver Place is an office complex in Denver, Colorado, comprising the North and South Towers, Terraces and the Granite Tower. It is Colorado's largest commercial office property. Denver Place South Tower is the tallest building of the complex. diff --git a/src/yaml/diego-del-llano/distrito-armenia.yaml b/src/yaml/diego-del-llano/distrito-armenia.yaml index ea66e0b21..8fadae6e1 100644 --- a/src/yaml/diego-del-llano/distrito-armenia.yaml +++ b/src/yaml/diego-del-llano/distrito-armenia.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Distrito Armenia - description: > + description: | This is an original design of Diego Del Llano, 3 towers located in Armenia, in the city of Bogota, Colombia. conflicts: Only DarkNite models exist for these buildings, so the same models are installed with either nightmode setting. diff --git a/src/yaml/diego-del-llano/edificio-alas.yaml b/src/yaml/diego-del-llano/edificio-alas.yaml index f0edfbc92..08e48c09b 100644 --- a/src/yaml/diego-del-llano/edificio-alas.yaml +++ b/src/yaml/diego-del-llano/edificio-alas.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Edificio Alas - description: > + description: | The Alas Building is a residential and office tower, designed in the rationalist style, located in the San Nicolás neighborhood, in the City of Buenos Aires, Argentina. It was the tallest building in Buenos Aires from 1957 to 1994. diff --git a/src/yaml/diego-del-llano/edificio-avianca.yaml b/src/yaml/diego-del-llano/edificio-avianca.yaml index a337a9317..ccd1e44a3 100644 --- a/src/yaml/diego-del-llano/edificio-avianca.yaml +++ b/src/yaml/diego-del-llano/edificio-avianca.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Edificio Avianca - description: > + description: | Edificio Avianca, Its design and construction were awarded to Esguerra Saenz, Urdaneta, Samper and Co., Ricaurte Prieto Carrizosa and Italian Domenico Parma, after a call for design proposals among the most recognized architecture firms at the time. The design of the building was completed in 1963, and its construction took place between 1966 and 1969, built on the former grounds of the Regina hotel. Its inauguration was at the end of 1969. diff --git a/src/yaml/diego-del-llano/edificio-del-cafe.yaml b/src/yaml/diego-del-llano/edificio-del-cafe.yaml index a59d8adbf..a2a0ac6f5 100644 --- a/src/yaml/diego-del-llano/edificio-del-cafe.yaml +++ b/src/yaml/diego-del-llano/edificio-del-cafe.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Edificio Del Café - description: > + description: | Torre del Café (English: Coffee Tower), also known as Edificio del Café[ (English: Coffee Building), is a 36-storey high-rise commercial office skyscraper in the city municipality of Medellín, Colombia. Although the starting date of its construction is unknown, the Torre del Café was completed in 1975. Torre del Café is 160 metres (520 ft) high. diff --git a/src/yaml/diego-del-llano/edificio-lopez-serrano.yaml b/src/yaml/diego-del-llano/edificio-lopez-serrano.yaml index f0fced2f0..b014cd99b 100644 --- a/src/yaml/diego-del-llano/edificio-lopez-serrano.yaml +++ b/src/yaml/diego-del-llano/edificio-lopez-serrano.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Edificio Lopez Serrano - description: > + description: | López Serrano Building was the tallest residential building in Cuba until the construction of FOCSA in 1956. It was designed by the architect Ricardo Mira in 1929, who also designed the "La Moderna Poesía" bookstore for the same owner in 1941, on Calle Bishop. It has been compared many times with the Bacardí Building in Old Havana, built two years after the López Serrano, due to its similarities in the towers. diff --git a/src/yaml/diego-del-llano/edificio-playa-oriental.yaml b/src/yaml/diego-del-llano/edificio-playa-oriental.yaml index 97f2ce04e..1d7b10364 100644 --- a/src/yaml/diego-del-llano/edificio-playa-oriental.yaml +++ b/src/yaml/diego-del-llano/edificio-playa-oriental.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Edificio Playa Oriental - description: > + description: | Building located in Medellin, Antioquia, Colombia. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/federal-center-chicago.yaml b/src/yaml/diego-del-llano/federal-center-chicago.yaml index f7e2819ea..6c3dc2616 100644 --- a/src/yaml/diego-del-llano/federal-center-chicago.yaml +++ b/src/yaml/diego-del-llano/federal-center-chicago.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Federal Center Chicago - description: > + description: | Also known as Federal Plaza, this urban square unifies Ludwig Mies van der Rohe’s complex of three buildings of varying scales: the mid-rise Everett McKinley Dirksen Building, the high-rise John C. Kluczynski Building, and the single-story Post Office building. The granite tiles of the plaza continuously flow into the glazed lobbies of these International style, glass curtain-wall edifices, visually and physically connecting the interior and exterior spaces. Low, rectangular granite benches and raised planters define and edge the plaza, while a square planting area with four deciduous trees offers shade for several additional benches. diff --git a/src/yaml/diego-del-llano/fiestamericana-guadalajara.yaml b/src/yaml/diego-del-llano/fiestamericana-guadalajara.yaml index 488433342..283c32301 100644 --- a/src/yaml/diego-del-llano/fiestamericana-guadalajara.yaml +++ b/src/yaml/diego-del-llano/fiestamericana-guadalajara.yaml @@ -4,7 +4,7 @@ version: "2.0.0" subfolder: 360-landmark info: summary: Fiestamericana Guadalajara - description: > + description: | Hotel located in the City of Guadalajara, Mexico, Designed by the Architct Sordo Madaleno in 1990. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/figueroa-at-wilshire.yaml b/src/yaml/diego-del-llano/figueroa-at-wilshire.yaml index 507ebda97..88edbb6ae 100644 --- a/src/yaml/diego-del-llano/figueroa-at-wilshire.yaml +++ b/src/yaml/diego-del-llano/figueroa-at-wilshire.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Figueroa At Wilshire - description: > + description: | Figueroa at Wilshire, formerly Sanwa Bank Plaza, is a 53-storey, 218.5 m (717 ft) skyscraper in Los Angeles, California, United States. It is the eighth-tallest building in Los Angeles. It was designed by Albert C. Martin & Associates, and developed by Hines Interests Limited Partnership. diff --git a/src/yaml/diego-del-llano/first-national-bank-tower.yaml b/src/yaml/diego-del-llano/first-national-bank-tower.yaml index 84183d618..7b9836d17 100644 --- a/src/yaml/diego-del-llano/first-national-bank-tower.yaml +++ b/src/yaml/diego-del-llano/first-national-bank-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: First National Bank Tower - description: > + description: | The First National Bank Tower is a 634 ft (193 m), 45-story skyscraper at 1601 Dodge Street in downtown Omaha, Nebraska. Completed in 2002, it is currently the tallest building in Nebraska. It was built on the site of the former Medical Arts Building which was imploded on April 2, 1999. diff --git a/src/yaml/diego-del-llano/fountain-place.yaml b/src/yaml/diego-del-llano/fountain-place.yaml index f48163042..ef71464f6 100644 --- a/src/yaml/diego-del-llano/fountain-place.yaml +++ b/src/yaml/diego-del-llano/fountain-place.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Fountain Place - description: > + description: | Fountain Place is a 60-story late-modernist skyscraper in downtown Dallas, Texas. Standing at a structural height of 720 ft (220 m), it is the fifth-tallest building in Dallas, diff --git a/src/yaml/diego-del-llano/gas-company-tower.yaml b/src/yaml/diego-del-llano/gas-company-tower.yaml index 4c6ca0d9b..7da270021 100644 --- a/src/yaml/diego-del-llano/gas-company-tower.yaml +++ b/src/yaml/diego-del-llano/gas-company-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Gas Company Tower - description: > + description: | Gas Company Tower is a 52-story, 228.3 m (749 ft) class-A office skyscraper on Bunker Hill in downtown Los Angeles, California. Located on the north side of Fifth Street between Olive Street and Grand Avenue, across from the Biltmore Hotel, the building serves as the headquarters for the Southern California Gas Company, which vacated its previous offices on Eighth- and Flower-streets in 1991, and is home to the Los Angeles offices of Arent Fox and Sidley Austin. diff --git a/src/yaml/diego-del-llano/great-american-tower.yaml b/src/yaml/diego-del-llano/great-american-tower.yaml index 0e76a478b..16a4e26b2 100644 --- a/src/yaml/diego-del-llano/great-american-tower.yaml +++ b/src/yaml/diego-del-llano/great-american-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Great American Tower at Queen City Square - description: > + description: | The Great American Tower at Queen City Square, is a 41-story, 665-foot-tall (203 m), skyscraper in Cincinnati, Ohio. The tower, built by Western & Southern Financial Group, began construction in July 2008 and opened in January 2011 Half the building is occupied by the headquarters of the Great American Insurance Company. It is currently the third tallest building in the state of Ohio. diff --git a/src/yaml/diego-del-llano/hogan-wallace-and-white-insurance.yaml b/src/yaml/diego-del-llano/hogan-wallace-and-white-insurance.yaml index 131feace1..953509579 100644 --- a/src/yaml/diego-del-llano/hogan-wallace-and-white-insurance.yaml +++ b/src/yaml/diego-del-llano/hogan-wallace-and-white-insurance.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hogan Wallace And White Insurance - description: > + description: | This is a Commercial Offices Building. The height is 240 m approximately. It is based on the Messeturm in Frankfurt, Germany. diff --git a/src/yaml/diego-del-llano/hotel-embassy-indianapolis.yaml b/src/yaml/diego-del-llano/hotel-embassy-indianapolis.yaml index 751002890..64fe880cf 100644 --- a/src/yaml/diego-del-llano/hotel-embassy-indianapolis.yaml +++ b/src/yaml/diego-del-llano/hotel-embassy-indianapolis.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hotel Embassy Indianapolis - description: > + description: | Embassy Suites Locted in Indianapolis, Indiana. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/hotel-nikko-san-francisco.yaml b/src/yaml/diego-del-llano/hotel-nikko-san-francisco.yaml index f07cd38cd..95ef9d6ae 100644 --- a/src/yaml/diego-del-llano/hotel-nikko-san-francisco.yaml +++ b/src/yaml/diego-del-llano/hotel-nikko-san-francisco.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hotel Nikko San Francisco - description: > + description: | Hotel located in San Francisco, California. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/hotel-presidente-guadalajara.yaml b/src/yaml/diego-del-llano/hotel-presidente-guadalajara.yaml index c6a6399e8..06f23f91b 100644 --- a/src/yaml/diego-del-llano/hotel-presidente-guadalajara.yaml +++ b/src/yaml/diego-del-llano/hotel-presidente-guadalajara.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hotel Presidente Guadalajara - description: > + description: | Hotel Presidente is located in Guadalajara, Mexico. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/hotel-presidente-intercontinental-mexico-city.yaml b/src/yaml/diego-del-llano/hotel-presidente-intercontinental-mexico-city.yaml index 8bdc4b789..a8e711183 100644 --- a/src/yaml/diego-del-llano/hotel-presidente-intercontinental-mexico-city.yaml +++ b/src/yaml/diego-del-llano/hotel-presidente-intercontinental-mexico-city.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hotel Presidente Intercontinental Mexico City - description: > + description: | The Hotel Presidente InterContinental is a hotel in Campos Eliseos #218, Colonia Polanco, in Miguel Hidalgo Delegation in Mexico City, has 15 elevators that move at 6.5 meters per second, was one of the first buildings in the City Of Mexico in counting the high-speed elevators, in addition to having one of the fastest elevators in the world for its time. The building became the third highest in Mexico City and for the 20 years in the highest of the Polanco colony, being the first skyscraper of that area, currently the 20th highest building in Mexico City and for the 2011 the building is expected to move to the 30th place on the list of the highest skyscrapers in the Federal District. diff --git a/src/yaml/diego-del-llano/hotel-riu-plaza-guadalajara.yaml b/src/yaml/diego-del-llano/hotel-riu-plaza-guadalajara.yaml index d63887368..c76bf5cb1 100644 --- a/src/yaml/diego-del-llano/hotel-riu-plaza-guadalajara.yaml +++ b/src/yaml/diego-del-llano/hotel-riu-plaza-guadalajara.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hotel Riu Plaza Guadalajara - description: > + description: | This horrible building is a skyscraper located in the city of Guadalajara, Mexico. At 215-metre tall (705 ft), it is the city and metropolitan area's tallest building and the fifth highest in Mexico. diff --git a/src/yaml/diego-del-llano/hyatt-ziva-tower-one.yaml b/src/yaml/diego-del-llano/hyatt-ziva-tower-one.yaml index aebbbe85d..11ce54843 100644 --- a/src/yaml/diego-del-llano/hyatt-ziva-tower-one.yaml +++ b/src/yaml/diego-del-llano/hyatt-ziva-tower-one.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hyatt Ziva Tower One - description: > + description: | These luxury beach-front condos are located in Puerto Vallarta, Mexico. The height is 196,85 ft (60 meters). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/hyatt-ziva-tower-two.yaml b/src/yaml/diego-del-llano/hyatt-ziva-tower-two.yaml index adf7ef6ab..ad2676db6 100644 --- a/src/yaml/diego-del-llano/hyatt-ziva-tower-two.yaml +++ b/src/yaml/diego-del-llano/hyatt-ziva-tower-two.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Hyatt Ziva Tower Two - description: > + description: | These luxury beach-front condos are located in Puerto Vallarta, Mexico. The height is 196,85 ft (60 meters). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/ibm-marathon.yaml b/src/yaml/diego-del-llano/ibm-marathon.yaml index 71dfc07dd..d679dec13 100644 --- a/src/yaml/diego-del-llano/ibm-marathon.yaml +++ b/src/yaml/diego-del-llano/ibm-marathon.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: IBM Marathon Tower - description: > + description: | 1250 René-Lévesque, also known as the IBM-Marathon Tower, is a 226 m (741 ft), 47-story skyscraper in Montreal,Quebec, Canada. The building was designed by Kohn Pedersen Fox Associates for IBM Canada and Marathon Realty, hence the former name "IBM-Marathon". It is now named for its address at 1250 René Lévesque Boulevard West, in the Ville-Marie borough of Downtown Montreal. diff --git a/src/yaml/diego-del-llano/icon-vallarta.yaml b/src/yaml/diego-del-llano/icon-vallarta.yaml index 6338b7c10..c7e71372d 100644 --- a/src/yaml/diego-del-llano/icon-vallarta.yaml +++ b/src/yaml/diego-del-llano/icon-vallarta.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Icon Vallarta - description: > + description: | These luxury beach-front condos are located in Puerto Vallarta, Mexico. The height is 328 ft (100 meters). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/john-hancock-center.yaml b/src/yaml/diego-del-llano/john-hancock-center.yaml index bf9f271db..1d54b29d3 100644 --- a/src/yaml/diego-del-llano/john-hancock-center.yaml +++ b/src/yaml/diego-del-llano/john-hancock-center.yaml @@ -4,7 +4,7 @@ version: "2.0.0" subfolder: 360-landmark info: summary: John Hancock Center - description: > + description: | The John Hancock Center is a 100-story, 1,127-foot, (344 m) supertall skyscraper at 875 North Michigan Avenue,Chicago, Illinois, United States. It was constructed under the supervision of Skidmore, Owings and Merrill,with chief designer Bruce Graham and structural engineer Fazlur Khan. When the building topped out on May 6, 1968, it was the tallest building in the world outside New York City. diff --git a/src/yaml/diego-del-llano/john-hancock-tower.yaml b/src/yaml/diego-del-llano/john-hancock-tower.yaml index a6cb268cf..9339a02f0 100644 --- a/src/yaml/diego-del-llano/john-hancock-tower.yaml +++ b/src/yaml/diego-del-llano/john-hancock-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: John Hancock Tower - description: > + description: | 200 Clarendon Street, previously John Hancock Tower and colloquially known as The Hancock, is a 60-story, 790-foot (240 m) skyscraper in Boston. The tower was designed by Henry N. Cobb of the firm I.M. Pei & Partners and was completed in 1976. In 1977, the American Institute of Architects presented the firm with a National Honor Award for the building, and in 2011 conferred on it the Twenty-five Year Award. It has been the tallest building in Boston and New England since 1976. diff --git a/src/yaml/diego-del-llano/lasalle-wacker-building.yaml b/src/yaml/diego-del-llano/lasalle-wacker-building.yaml index 7e13e9604..05d9e9074 100644 --- a/src/yaml/diego-del-llano/lasalle-wacker-building.yaml +++ b/src/yaml/diego-del-llano/lasalle-wacker-building.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Lasalle-Wacker Building - description: > + description: | Originally planned as a 37-story building, the developer bought an L-shaped building aside original lot and expanded the site. Clad in limestone and granite, the Holabird and Root-designed structure (Andrew Rebori was the associate architect) serves as an office building. When built, the beacon on the top of the building could be seen from as far as 200 miles. diff --git a/src/yaml/diego-del-llano/latin-america-collection.yaml b/src/yaml/diego-del-llano/latin-america-collection.yaml index e5458b5a8..fbc040868 100644 --- a/src/yaml/diego-del-llano/latin-america-collection.yaml +++ b/src/yaml/diego-del-llano/latin-america-collection.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Latin American part of Diego Del Llano's landmarks collection - description: > + description: | Contains the Latin American part of Diego Del Llano's collection, including Mexico. author: Diego Del Llano website: https://community.simtropolis.com/profile/199222-diego-del-llano/content/?type=downloads_file diff --git a/src/yaml/diego-del-llano/lind-entertainment.yaml b/src/yaml/diego-del-llano/lind-entertainment.yaml index 80cb1e70b..d6f24fde7 100644 --- a/src/yaml/diego-del-llano/lind-entertainment.yaml +++ b/src/yaml/diego-del-llano/lind-entertainment.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Lind Entertainment - description: > + description: | Lind Entertainment is a Commercial Offices Building created by the Maxis Team. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/messeturm.yaml b/src/yaml/diego-del-llano/messeturm.yaml index 09e493bcf..bc733b97a 100644 --- a/src/yaml/diego-del-llano/messeturm.yaml +++ b/src/yaml/diego-del-llano/messeturm.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Messeturm - description: > + description: | The Messeturm, or Trade Fair Tower, is a 63-storey, 257 m (843 ft) skyscraper in the Westend-Süd district of Frankfurt, Germany. It is the second tallest building in Frankfurt, the second tallest building in Germany and the third tallest building in the European Union. It was the tallest building in Europe from its completion in 1991 until 1997 when it was surpassed by the Commerzbank Tower, which is also located in Frankfurt. diff --git a/src/yaml/diego-del-llano/midtown-jalisco.yaml b/src/yaml/diego-del-llano/midtown-jalisco.yaml index 91551526d..f717ca59a 100644 --- a/src/yaml/diego-del-llano/midtown-jalisco.yaml +++ b/src/yaml/diego-del-llano/midtown-jalisco.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Midtown Jalisco - description: > + description: | Mixed-use building located in Guadalajara, Mexico. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/nelson-tower.yaml b/src/yaml/diego-del-llano/nelson-tower.yaml index 531705d6c..ce038707b 100644 --- a/src/yaml/diego-del-llano/nelson-tower.yaml +++ b/src/yaml/diego-del-llano/nelson-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Nelson Tower, 450 Fashion Ave - description: > + description: | Nelson Tower is a 46 story 171 meter (560 feet) tall building located at 450 7th Avenue in Manhattan, New York City, United States. It was completed in 1931 and became the tallest building in the Garment District of New York. diff --git a/src/yaml/diego-del-llano/north-america-collection.yaml b/src/yaml/diego-del-llano/north-america-collection.yaml index 2daf7ae3a..0bbbf68d2 100644 --- a/src/yaml/diego-del-llano/north-america-collection.yaml +++ b/src/yaml/diego-del-llano/north-america-collection.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: North American part of Diego Del Llano's landmarks collection - description: > + description: | Contains the North American part of Diego Del Llano's collection, excluding Mexico. Mexico can be found in the Latin American counterpart. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/olympia-centre.yaml b/src/yaml/diego-del-llano/olympia-centre.yaml index 0ae64a91a..f9ea492d0 100644 --- a/src/yaml/diego-del-llano/olympia-centre.yaml +++ b/src/yaml/diego-del-llano/olympia-centre.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Olympia Centre - description: > + description: | The Olympia Centre is a skyscraper in Chicago. It is a mixed use building consisting of offices in the lower part of the building and residences in the narrower upper section. It was designed by Skidmore, Owings & Merrill LLP, and at 725 ft (221 m) tall, with 63 floors, it is Chicago's tallest mid-block building. diff --git a/src/yaml/diego-del-llano/one-chase-manhattan-plaza.yaml b/src/yaml/diego-del-llano/one-chase-manhattan-plaza.yaml index 72668e9d1..8ce7f96e2 100644 --- a/src/yaml/diego-del-llano/one-chase-manhattan-plaza.yaml +++ b/src/yaml/diego-del-llano/one-chase-manhattan-plaza.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: One Chase Manhattan Plaza - description: > + description: | 28 Liberty Street, formerly known as One Chase Manhattan Plaza, is a banking skyscraper located in the downtown Manhattan Financial District of New York City, between Pine, Liberty, Nassau, and William Streets. Construction on the building was completed in 1961. It has 60 floors, with 5 basement floors, and is 813 feet (248 m) tall, making it the 26th tallest building in New York City, the 43rd tallest in the United States, and the 200th tallest building in the world. diff --git a/src/yaml/diego-del-llano/one-cleveland-center.yaml b/src/yaml/diego-del-llano/one-cleveland-center.yaml index 94627015c..0858c04c2 100644 --- a/src/yaml/diego-del-llano/one-cleveland-center.yaml +++ b/src/yaml/diego-del-llano/one-cleveland-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: One Cleveland Center - description: > + description: | Designed by KlingStubbins, One Cleveland Center has an angular, "silver chisel" design similar to that of New York City's Citigroup Center. The land the tower was built on was intended to be part of the I.M. Pei Erieview urban renewal plan. The site was cleared in 1963 but was not developed and was used as a parking lot. diff --git a/src/yaml/diego-del-llano/one-kansas-city-place.yaml b/src/yaml/diego-del-llano/one-kansas-city-place.yaml index e943fdc90..daff515e9 100644 --- a/src/yaml/diego-del-llano/one-kansas-city-place.yaml +++ b/src/yaml/diego-del-llano/one-kansas-city-place.yaml @@ -4,7 +4,7 @@ version: "2.0.0" subfolder: 360-landmark info: summary: One Kansas City Place - description: > + description: | One Kansas City Place is the tallest building in Missouri located in downtown Kansas City, bounded by 12th Street to the north, Baltimore Avenue to the west, and Main Street to the east. Built in 1988, the 190.1 m (624 ft) skyscraper was designed by Patty Berkebile Nelson & Immenschuh and replaced the Town Pavilion as the tallest building in the city. diff --git a/src/yaml/diego-del-llano/one-liberty-place.yaml b/src/yaml/diego-del-llano/one-liberty-place.yaml index 81dcf80a9..9c3d7e0a6 100644 --- a/src/yaml/diego-del-llano/one-liberty-place.yaml +++ b/src/yaml/diego-del-llano/one-liberty-place.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: One Liberty Place - description: > + description: | Liberty Place is a skyscraper complex in Philadelphia, Pennsylvania, United States. The complex is composed of a 61-story 945-foot (288 m) skyscraper called One Liberty Place, a 58-story 848-foot (258 m) skyscraper called Two Liberty Place, a two-story shopping mall called the Shops at Liberty Place, and the 14-story Westin Philadelphia Hotel. Prior to the construction of Liberty Place, there was a "gentlemen's agreement" not to build any structure inCenter City higher than the statue of William Penn on top of Philadelphia City Hall diff --git a/src/yaml/diego-del-llano/one-metropolitan-square.yaml b/src/yaml/diego-del-llano/one-metropolitan-square.yaml index 3e7d420f6..e7cafa947 100644 --- a/src/yaml/diego-del-llano/one-metropolitan-square.yaml +++ b/src/yaml/diego-del-llano/one-metropolitan-square.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: One Metropolitan Square - description: > + description: | One Metropolitan Square, also known as Met Square, is a skyscraper completed in 1989 in downtown St. Louis, Missouri. At 180.7 m (593 ft), it is the tallest building in the city, and second tallest building in Missouri behind One Kansas City Place in Kansas City. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/one-shell-plaza.yaml b/src/yaml/diego-del-llano/one-shell-plaza.yaml index 2cef5e3cc..a3b45f75a 100644 --- a/src/yaml/diego-del-llano/one-shell-plaza.yaml +++ b/src/yaml/diego-del-llano/one-shell-plaza.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: One Shell Plaza - description: > + description: | One Shell Plaza (OSP) is a 50-story, 218 m (715 ft) skyscraper at 910 Louisiana Street in Downtown Houston, Texas. Perched atop the building is an antenna that brings the height to 304.8 m (1,000 ft). At its completion in 1971, the tower was the tallest in the city. diff --git a/src/yaml/diego-del-llano/one-shell-square.yaml b/src/yaml/diego-del-llano/one-shell-square.yaml index 414c451a1..163abefd7 100644 --- a/src/yaml/diego-del-llano/one-shell-square.yaml +++ b/src/yaml/diego-del-llano/one-shell-square.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: One Shell Square - description: > + description: | One Shell Square is a 51-story, 697-foot (212 m) skyscraper designed in the International style by Skidmore, Owings and Merrill, located at 701 Poydras Street in the Central Business District of New Orleans, Louisiana. It is the tallest building in both the city of New Orleans and the state of Louisiana, and is taller than Louisiana's tallest peak, Driskill Mountain. The building is primarily used for leaseable office space, with some retail space on the ground level. diff --git a/src/yaml/diego-del-llano/one-world-trade-center.yaml b/src/yaml/diego-del-llano/one-world-trade-center.yaml index 66fb904bb..dcc2b3b19 100644 --- a/src/yaml/diego-del-llano/one-world-trade-center.yaml +++ b/src/yaml/diego-del-llano/one-world-trade-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: One World Trade Center - description: > + description: | One World Trade Center (also known as 1 World Trade Center, 1 WTC or Freedom Tower) is the main building of the rebuilt World Trade Center complex in Lower Manhattan, New York City. It is the tallest building in the Western Hemisphere, and the sixth-tallest in the world. The supertall structure has the same name as the North Tower of the original World Trade Center, which was destroyed in the terrorist attacks of September 11, 2001. diff --git a/src/yaml/diego-del-llano/oneamerica-tower-indianapolis.yaml b/src/yaml/diego-del-llano/oneamerica-tower-indianapolis.yaml index edde75892..8210686a8 100644 --- a/src/yaml/diego-del-llano/oneamerica-tower-indianapolis.yaml +++ b/src/yaml/diego-del-llano/oneamerica-tower-indianapolis.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Oneamerica Tower Indianapolis - description: > + description: | The OneAmerica Tower is a 38-story building at 200 North Illinois Street in downtown Indianapolis, Indiana. It is used by various companies for offices. The building opened in 1982 and is faced with Indiana limestone. diff --git a/src/yaml/diego-del-llano/pedriana-pharmaceuticals.yaml b/src/yaml/diego-del-llano/pedriana-pharmaceuticals.yaml index 69cd7c131..90daf3d2a 100644 --- a/src/yaml/diego-del-llano/pedriana-pharmaceuticals.yaml +++ b/src/yaml/diego-del-llano/pedriana-pharmaceuticals.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Pedriana Pharmaceuticals - description: > + description: | Pedriana Pharmaceuticals is a Commercial Offices Building created by the Maxis Team. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/peninsula-puerto-vallarta.yaml b/src/yaml/diego-del-llano/peninsula-puerto-vallarta.yaml index c09f49678..1a1a12005 100644 --- a/src/yaml/diego-del-llano/peninsula-puerto-vallarta.yaml +++ b/src/yaml/diego-del-llano/peninsula-puerto-vallarta.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Peninsula Puerto Vallarta - description: > + description: | These luxury beach-front condos are located in Puerto Vallarta, Mexico. The height is 328 ft (100 meters). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/regions-center.yaml b/src/yaml/diego-del-llano/regions-center.yaml index 08aace0f5..94deeaba4 100644 --- a/src/yaml/diego-del-llano/regions-center.yaml +++ b/src/yaml/diego-del-llano/regions-center.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Regions Center - description: > + description: | Regions Center Tower is a 30-story skyscraper located at 400 West Capitol Avenue in downtown Little Rock, Arkansas. At 454 feet (138 m) high, it is currently the second tallest building in Arkansas. It was completed in 1975. diff --git a/src/yaml/diego-del-llano/renaissance-tower-sacramento.yaml b/src/yaml/diego-del-llano/renaissance-tower-sacramento.yaml index 979b6d3dc..feda32351 100644 --- a/src/yaml/diego-del-llano/renaissance-tower-sacramento.yaml +++ b/src/yaml/diego-del-llano/renaissance-tower-sacramento.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Renaissance Tower Sacramento - description: > + description: | Renaissance Tower is a 113 m (371 ft) skyscraper in Sacramento, California, completed in 1989. The 28 story tower was the tallest in the city when completed, and is now the fifth. diff --git a/src/yaml/diego-del-llano/republic-plaza.yaml b/src/yaml/diego-del-llano/republic-plaza.yaml index b0d629f90..10b49cf5b 100644 --- a/src/yaml/diego-del-llano/republic-plaza.yaml +++ b/src/yaml/diego-del-llano/republic-plaza.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Republic Plaza - description: > + description: | Republic Plaza is a skyscraper in Denver, Colorado. Rising 714 feet (218 m), the building currently stands as the tallest building in the city of Denver and the entire Rocky Mountain region of the United States. It was built in 1984, and contains 56 floors, the majority of which are used as office space. Republic Plaza currently stands as the 137th-tallest building in the United States. diff --git a/src/yaml/diego-del-llano/reynolds-building.yaml b/src/yaml/diego-del-llano/reynolds-building.yaml index 26082b7b6..09dd3e71a 100644 --- a/src/yaml/diego-del-llano/reynolds-building.yaml +++ b/src/yaml/diego-del-llano/reynolds-building.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Reynolds Building - description: > + description: | The Reynolds Building is a 314-foot (96 m) Art Deco skyscraper at 51 E. 4th Street in Winston-Salem, Forsyth County, North Carolina with 313,996 square feet (29,171.2 m2) of space. It was completed in 1929 and has 21 floors.For much of its history the building served as headquarters for R. J. Reynolds Tobacco Company. After a sale to PMC Property Group in 2014, the building went through an estimated $60 million in renovations. diff --git a/src/yaml/diego-del-llano/salesforce-tower.yaml b/src/yaml/diego-del-llano/salesforce-tower.yaml index a7409d55f..b7811f9b2 100644 --- a/src/yaml/diego-del-llano/salesforce-tower.yaml +++ b/src/yaml/diego-del-llano/salesforce-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Salesforce Tower - description: > + description: | Salesforce Tower, formerly known as Transbay Tower, is a 61-story skyscraper at 415 Mission Street, between First and Fremont Street, in the South of Market district of downtown San Francisco. Its main tenant is Salesforce, a cloud-based software company. The building is 1,070 feet (326 m) tall, with a top roof height of 970 feet (296 m). diff --git a/src/yaml/diego-del-llano/santa-monica-clock-tower.yaml b/src/yaml/diego-del-llano/santa-monica-clock-tower.yaml index 981645883..eb2eadf4a 100644 --- a/src/yaml/diego-del-llano/santa-monica-clock-tower.yaml +++ b/src/yaml/diego-del-llano/santa-monica-clock-tower.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Santa Monica Clock Tower - description: > + description: | The Clock Tower Building, built between 1929 and 1930 in Art Déco style, is the 4th highest skyscraper in Santa Monica. For around 40 years it held the record for the tallest building in the skyline. The skyscraper was commissioned by the Bay Cities Guaranty and Loan Association to the Californian architects Albert R. Walker (1881–1958) and Percy A. Eisen (1885–1946), whose firm, Walker & Eisen, with a staff of more than 50 draughtsmen, was the most important leading practice in California in the 1920s. diff --git a/src/yaml/diego-del-llano/seattle-municipal-tower.yaml b/src/yaml/diego-del-llano/seattle-municipal-tower.yaml index f2ee89a90..9e1fd7e2f 100644 --- a/src/yaml/diego-del-llano/seattle-municipal-tower.yaml +++ b/src/yaml/diego-del-llano/seattle-municipal-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Seattle Municipal Tower - description: > + description: | Seattle Municipal Tower is a 62-story, 220.07 m (722.0 ft) skyscraper at 700 5th Avenue at the corner of 5th Avenue and Columbia Street in downtown Seattle, Washington. It is the fourth tallest building in Seattle. At its completion in 1990, the building was named AT&T Gateway Tower and later changed to Key Bank Tower reflecting the names of former anchor tenants AT&T and Key Bank. diff --git a/src/yaml/diego-del-llano/shaklee-terraces.yaml b/src/yaml/diego-del-llano/shaklee-terraces.yaml index 90a832aed..4dded2eb2 100644 --- a/src/yaml/diego-del-llano/shaklee-terraces.yaml +++ b/src/yaml/diego-del-llano/shaklee-terraces.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Shaklee Terraces, One Front Street - description: > + description: | One Front Street, also known as Shaklee Terraces, is an office skyscraper in the Financial District of San Francisco, California. The 164 m (538 ft), 38-floor tower was completed in 1979. The composition of the façade closely resembles that of the Shell Building by Emil Fahrenkamp, which was built in Berlin in 1931. diff --git a/src/yaml/diego-del-llano/shangri-la.yaml b/src/yaml/diego-del-llano/shangri-la.yaml index c42513ea6..b53fea27c 100644 --- a/src/yaml/diego-del-llano/shangri-la.yaml +++ b/src/yaml/diego-del-llano/shangri-la.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Shangri-La condos - description: > + description: | These luxury beach-front condos are located in Puerto Vallarta, Mexico. The height is 262 ft (80 meters). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/simmons-tower.yaml b/src/yaml/diego-del-llano/simmons-tower.yaml index 3fa75d1c7..990112282 100644 --- a/src/yaml/diego-del-llano/simmons-tower.yaml +++ b/src/yaml/diego-del-llano/simmons-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Simmons Tower - description: > + description: | Simmons Bank Tower is a 40-story skyscraper located at 425 West Capitol Avenue in downtown Little Rock, Arkansas. At 547 feet (167 m) high, it is currently the tallest building in Arkansas. diff --git a/src/yaml/diego-del-llano/stephens-inc.yaml b/src/yaml/diego-del-llano/stephens-inc.yaml index 1c483f094..0b28ac8aa 100644 --- a/src/yaml/diego-del-llano/stephens-inc.yaml +++ b/src/yaml/diego-del-llano/stephens-inc.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Stephens Inc - description: > + description: | Headquartered in Little Rock, Arkansas, Stephens Inc. is a privately held, independent financial services firm. As one of the largest privately owned investment banks in the country, Stephens has 25 offices worldwide and employs more than 700 people. diff --git a/src/yaml/diego-del-llano/the-look-building.yaml b/src/yaml/diego-del-llano/the-look-building.yaml index d48ddd128..468e6a027 100644 --- a/src/yaml/diego-del-llano/the-look-building.yaml +++ b/src/yaml/diego-del-llano/the-look-building.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: The Look Building - description: > + description: | 488 Madison Avenue, also known as the Look Building, is a 25-story office building in the Midtown Manhattan neighborhood of New York City. It is along Madison Avenue's western sidewalk between 51st and 52nd Streets, near St. Patrick's Cathedral. 488 Madison Avenue was designed by Emery Roth & Sons in the International Style, and it was constructed and developed by Uris Brothers. diff --git a/src/yaml/diego-del-llano/times-square-building-diagonal.yaml b/src/yaml/diego-del-llano/times-square-building-diagonal.yaml index b79782c6c..9a56eafa6 100644 --- a/src/yaml/diego-del-llano/times-square-building-diagonal.yaml +++ b/src/yaml/diego-del-llano/times-square-building-diagonal.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Times Square Building (Diagonal version) - description: > + description: | The Times Square Building is an Art Deco skyscraper designed by Ralph Thomas Walker of the firm Voorhees, Gmelin, and Walker located in Rochester, New York, United States. At 260 feet (79 m), it is the eighth-tallest building in Rochester, with 14 floors. The former Genesee Valley Trust Building is a streamlined twelve-story building supporting four aluminum wings 42 feet (13 m) high, known as the "Wings of Progress", each weighing 12,000 pounds (5,400 kg). diff --git a/src/yaml/diego-del-llano/times-square-building.yaml b/src/yaml/diego-del-llano/times-square-building.yaml index 4086dfc57..134a105ed 100644 --- a/src/yaml/diego-del-llano/times-square-building.yaml +++ b/src/yaml/diego-del-llano/times-square-building.yaml @@ -4,7 +4,7 @@ version: 1.0.0 subfolder: 360-landmark info: summary: Times Square Building - description: > + description: | The Times Square Building is an Art Deco skyscraper designed by Ralph Thomas Walker of the firm Voorhees, Gmelin, and Walker located in Rochester, New York, United States. At 260 feet (79 m), it is the eighth-tallest building in Rochester, with 14 floors. The former Genesee Valley Trust Building is a streamlined twelve-story building supporting four aluminum wings 42 feet (13 m) high, known as the "Wings of Progress", each weighing 12,000 pounds (5,400 kg). diff --git a/src/yaml/diego-del-llano/torre-colpatria.yaml b/src/yaml/diego-del-llano/torre-colpatria.yaml index 67864c5a3..8bed1668a 100644 --- a/src/yaml/diego-del-llano/torre-colpatria.yaml +++ b/src/yaml/diego-del-llano/torre-colpatria.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Colpatria - description: > + description: | High Rise, locted in the Capital city of Bogota, Colombia. Height is 192 m. diff --git a/src/yaml/diego-del-llano/torre-colseguros.yaml b/src/yaml/diego-del-llano/torre-colseguros.yaml index adef19fc6..66cb0c2e0 100644 --- a/src/yaml/diego-del-llano/torre-colseguros.yaml +++ b/src/yaml/diego-del-llano/torre-colseguros.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Colseguros - description: > + description: | Torre Colseguros is a building located on International Center of the Capital City Bogota, Colombia. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/torre-coltejer.yaml b/src/yaml/diego-del-llano/torre-coltejer.yaml index bafcf8261..1ca03df0f 100644 --- a/src/yaml/diego-del-llano/torre-coltejer.yaml +++ b/src/yaml/diego-del-llano/torre-coltejer.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Coltejer - description: > + description: | The Coltejer Building is the tallest building in Medellín, Colombia and the tenth-tallest in Colombia (as of 2016). It was completed in 1972. Coltejer is one of the most important textile companies in Colom bia, and the largest textile complex in Latin America.[1] It was founded in Medellín by Alejandro Echavarría on October 22, 1907. diff --git a/src/yaml/diego-del-llano/torre-ejecutiva-pemex.yaml b/src/yaml/diego-del-llano/torre-ejecutiva-pemex.yaml index ede398b97..3f0e4147e 100644 --- a/src/yaml/diego-del-llano/torre-ejecutiva-pemex.yaml +++ b/src/yaml/diego-del-llano/torre-ejecutiva-pemex.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Ejecutiva Pemex - description: > + description: | The Pemex Executive Tower (Spanish: Torre Ejecutiva Pemex) is a skyscraper in Mexico City. The 214 meter (211 meters to top floor) international style tower was built between 1976 and 1982. Since the building's opening, it has been occupied by state-owned Pemex, one of the largest petroleum companies in the world. diff --git a/src/yaml/diego-del-llano/torre-latinoamericana.yaml b/src/yaml/diego-del-llano/torre-latinoamericana.yaml index 83e219091..7dcce8ac9 100644 --- a/src/yaml/diego-del-llano/torre-latinoamericana.yaml +++ b/src/yaml/diego-del-llano/torre-latinoamericana.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Latinoamericana - description: > + description: | The Torre Latinoamericana (English: Latin-American Tower) is a skyscraper in downtown Mexico City, Mexico. Its central location, height (188 m or 597 ft; 44 stories) and history make it one of the city's most important landmarks. It is also widely recognized internationally as an engineering and architectural landmark since it was the world's first major skyscraper successfully built on highly active seismic land. diff --git a/src/yaml/diego-del-llano/torre-mayor.yaml b/src/yaml/diego-del-llano/torre-mayor.yaml index 1b6a33563..307c06c6b 100644 --- a/src/yaml/diego-del-llano/torre-mayor.yaml +++ b/src/yaml/diego-del-llano/torre-mayor.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Mayor - description: > + description: | The Torre Mayor (literally "Major Tower") is a skyscraper in Mexico City, Mexico. With a height of 225 metres (738 feet) to the top floor and 55 stories, it is the third tallest building in Mexico. From its completion in 2003 until 2010 (when it was surpassed by the 236 meter (774 ft) high Ocean Two in Panama City. diff --git a/src/yaml/diego-del-llano/torre-multiva.yaml b/src/yaml/diego-del-llano/torre-multiva.yaml index af02d7c5e..c7580a2e4 100644 --- a/src/yaml/diego-del-llano/torre-multiva.yaml +++ b/src/yaml/diego-del-llano/torre-multiva.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Multiva - description: > + description: | Torre Multiva is a building located in Guadalajara, Mexico, the height is 301 ft (92 m ). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/torre-reforma.yaml b/src/yaml/diego-del-llano/torre-reforma.yaml index 8f3be0705..1bec05d9b 100644 --- a/src/yaml/diego-del-llano/torre-reforma.yaml +++ b/src/yaml/diego-del-llano/torre-reforma.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torre Reforma - description: > + description: | The Torre Reforma is a Mexico City skyscraper with a height of 800.5 feet (244.0 m) to the roof and housing 57 stories, in 2016 it became the tallest skyscraper in Mexico City, exceeding both Torre BBVA Bancomer at 771 feet (235 m) located just across the street, and Torre Mayor at 739.5 feet (225.4 m) located next to it. Construction began in May 2008. diff --git a/src/yaml/diego-del-llano/torres-atrio.yaml b/src/yaml/diego-del-llano/torres-atrio.yaml index 8042c7fdc..28ba1aa26 100644 --- a/src/yaml/diego-del-llano/torres-atrio.yaml +++ b/src/yaml/diego-del-llano/torres-atrio.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Torres Atrio - description: > + description: | ATRIO is a major mixed-use commercial development in central Bogotá comprising two towers – North and South – with a large, open public space at ground level. At 42 floors (201 metres) and 58 floors (268 metres) high respectively, the towers provide a total of more than 250,000 m² of office space, public services and retail with up to 72,000 people expected to pass through each day. diff --git a/src/yaml/diego-del-llano/transamerica-pyramid.yaml b/src/yaml/diego-del-llano/transamerica-pyramid.yaml index 21205f6d0..981452d74 100644 --- a/src/yaml/diego-del-llano/transamerica-pyramid.yaml +++ b/src/yaml/diego-del-llano/transamerica-pyramid.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Transamerica Pyramid - description: > + description: | The Transamerica Pyramid at 600 Montgomery Street between Clay and Washington Streets in the Financial District of San Francisco, California, is a 48-story postmodern building and the second-tallest skyscraper in the San Francisco skyline. Its height will be surpassed by Salesforce Tower, currently under construction.The building no longer houses the headquarters of the Transamerica Corporation, which moved its U.S. headquarters to Baltimore, Maryland, but it is still associated with the company and is depicted in the company's logo. diff --git a/src/yaml/diego-del-llano/tres-mares.yaml b/src/yaml/diego-del-llano/tres-mares.yaml index 11aa319ef..7fda247f9 100644 --- a/src/yaml/diego-del-llano/tres-mares.yaml +++ b/src/yaml/diego-del-llano/tres-mares.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Tres Mares - description: > + description: | These luxury beach front condos are located in Puerto Vallarta, Mexico. The height is 328 ft (100 meters). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/turlington-building.yaml b/src/yaml/diego-del-llano/turlington-building.yaml index 796d00473..45a90acc7 100644 --- a/src/yaml/diego-del-llano/turlington-building.yaml +++ b/src/yaml/diego-del-llano/turlington-building.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Ralph D. Turlington Florida Education Center - description: > + description: | The Turlington Building is a 17-story building in the heart of Downtown Tallahassee, Florida. The building was completed in 1990. The entire building serves as the Florida Department of Education. diff --git a/src/yaml/diego-del-llano/two-liberty-place.yaml b/src/yaml/diego-del-llano/two-liberty-place.yaml index 18e3cf60e..4aead8a0a 100644 --- a/src/yaml/diego-del-llano/two-liberty-place.yaml +++ b/src/yaml/diego-del-llano/two-liberty-place.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Two Liberty Place - description: > + description: | Liberty Place is a skyscraper complex in Philadelphia, Pennsylvania, United States. The complex is composed of a 61-story 945-foot (288 m) skyscraper called One Liberty Place, a 58-story 848-foot (258 m) skyscraper called Two Liberty Place, a two-story shopping mall called the Shops at Liberty Place, and the 14-story Westin Philadelphia Hotel. Prior to the construction of Liberty Place, there was a "gentlemen's agreement" not to build any structure inCenter City higher than the statue of William Penn on top of Philadelphia City Hall diff --git a/src/yaml/diego-del-llano/two-prudential-plaza.yaml b/src/yaml/diego-del-llano/two-prudential-plaza.yaml index 16940fdd6..1003569a3 100644 --- a/src/yaml/diego-del-llano/two-prudential-plaza.yaml +++ b/src/yaml/diego-del-llano/two-prudential-plaza.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Two Prudential Plaza - description: > + description: | Two Prudential Plaza is a 64-story skyscraper that was built in the Loop area of Chicago, Illinois, United States in 1990. At 995 feet (303 m) tall, it is currently the sixth-tallest building in Chicago and the seventeenth-tallest in the U.S., being only five feet from 1,000 feet, making it the closest of any building under 1,000. The building was designed by the firm Loebl Schlossman & Hackl, with Stephen T. diff --git a/src/yaml/diego-del-llano/us-bank-library-tower.yaml b/src/yaml/diego-del-llano/us-bank-library-tower.yaml index 5b54e6b16..f5636910d 100644 --- a/src/yaml/diego-del-llano/us-bank-library-tower.yaml +++ b/src/yaml/diego-del-llano/us-bank-library-tower.yaml @@ -4,7 +4,7 @@ version: "2.0.0" subfolder: 360-landmark info: summary: U.S. Bank Library Tower - description: > + description: | U.S. Bank Tower, formerly Library Tower and First Interstate Bank World Center, is a 1,018-foot (310.3 m) skyscraper at 633 West Fifth Street in downtown Los Angeles, California. It is the third tallest building in California, the second tallest building in LA, the fifteenth tallest in the United States, the third tallest west of the Mississippi River after the Salesforce Tower and the Wilshire Grand Tower, and the 92nd tallest building in the world, after being surpassed by the Wilshire Grand Center. Because local building codes required all high-rise buildings to have a helipad, it was known as the tallest building in the world with a roof-top heliport from its completion in 1989 to 2004 when Taipei 101 opened. diff --git a/src/yaml/diego-del-llano/van-prooijen-trading.yaml b/src/yaml/diego-del-llano/van-prooijen-trading.yaml index 880289668..a2661662d 100644 --- a/src/yaml/diego-del-llano/van-prooijen-trading.yaml +++ b/src/yaml/diego-del-llano/van-prooijen-trading.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Van Prooijen Trading - description: > + description: | Van Prooijen Trading is Commercial Offices Building. The Heights is 200 m approximately. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/ventura-place-one.yaml b/src/yaml/diego-del-llano/ventura-place-one.yaml index 0fd8ac976..b1daab77e 100644 --- a/src/yaml/diego-del-llano/ventura-place-one.yaml +++ b/src/yaml/diego-del-llano/ventura-place-one.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Ventura Place One - description: > + description: | This landmark is a mixed-used building with commercial center, luxury hotel with terraces and residences. It provides 2700 jobs (CS$$$). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/ventura-place-three.yaml b/src/yaml/diego-del-llano/ventura-place-three.yaml index 959152fbb..e5c4444c8 100644 --- a/src/yaml/diego-del-llano/ventura-place-three.yaml +++ b/src/yaml/diego-del-llano/ventura-place-three.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Ventura Place Three - description: > + description: | This landmark is a mixed-used building with commercial center, offices and residences. It provides 2700 jobs (CO$$$). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/ventura-place-two.yaml b/src/yaml/diego-del-llano/ventura-place-two.yaml index e4392653c..0790968ed 100644 --- a/src/yaml/diego-del-llano/ventura-place-two.yaml +++ b/src/yaml/diego-del-llano/ventura-place-two.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Ventura Place Two - description: > + description: | This landmark is a mixed-used building with commercial center, offices and residences. It provides 2700 jobs (CO$$$). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/walkup-tower.yaml b/src/yaml/diego-del-llano/walkup-tower.yaml index 30897bf3d..729c2e2ed 100644 --- a/src/yaml/diego-del-llano/walkup-tower.yaml +++ b/src/yaml/diego-del-llano/walkup-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: WalkUp Tower - description: > + description: | WalkUp is a Residential Offices Building created by the Maxis Team. author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/water-tower-place.yaml b/src/yaml/diego-del-llano/water-tower-place.yaml index ae438db96..61265b5d8 100644 --- a/src/yaml/diego-del-llano/water-tower-place.yaml +++ b/src/yaml/diego-del-llano/water-tower-place.yaml @@ -4,7 +4,7 @@ version: "2.0.0" subfolder: 360-landmark info: summary: Water Tower Place - description: > + description: | Water Tower Place is a large urban, mixed-use development comprising a 758,000 sq ft (70,400 m2) shopping mall and 74 story skyscraper in Chicago, Illinois, United States. The mall is located at 835 North Michigan Avenue, along the Magnificent Mile. It is named after the nearby Chicago Water Tower, and is owned by General Growth Properties. diff --git a/src/yaml/diego-del-llano/wells-fargo-center-denver.yaml b/src/yaml/diego-del-llano/wells-fargo-center-denver.yaml index afde1683e..974f013e0 100644 --- a/src/yaml/diego-del-llano/wells-fargo-center-denver.yaml +++ b/src/yaml/diego-del-llano/wells-fargo-center-denver.yaml @@ -4,7 +4,7 @@ version: "3.0.0" subfolder: 360-landmark info: summary: Wells Fargo Center Denver - description: > + description: | Wells Fargo Center is a building located in Denver, Colorado, United States. It resembles a cash register or mailboxand is known locally as the "Cash Register Building" or the "Mailbox Building". It is 698 feet (213 m) high, the third tallest building in Denver. diff --git a/src/yaml/diego-del-llano/westin-regina.yaml b/src/yaml/diego-del-llano/westin-regina.yaml index 0658130de..f53fc5c96 100644 --- a/src/yaml/diego-del-llano/westin-regina.yaml +++ b/src/yaml/diego-del-llano/westin-regina.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Westin Regina - description: > + description: | These luxury beach-front condos are located in Puerto Vallarta, Mexico. The height is 196,85 ft (60 meters). author: Diego Del Llano diff --git a/src/yaml/diego-del-llano/willis-tower.yaml b/src/yaml/diego-del-llano/willis-tower.yaml index a9e83a856..1ba20f7f0 100644 --- a/src/yaml/diego-del-llano/willis-tower.yaml +++ b/src/yaml/diego-del-llano/willis-tower.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 360-landmark info: summary: Willis Tower - description: > + description: | The Willis Tower, built as and still commonly referred to as the Sears Tower, is a 108-story, 1,450-foot (442.1 m) skyscraper in Chicago, Illinois, United States.[3] At completion in 1973, it surpassed the World Trade Centertowers in New York to become the tallest building in the world, a title it held for nearly 25 years and remained the tallest building in the Western Hemisphere until 2014 and the completion of a new building at the World Trade Center site. The building is considered a seminal achievement for its architect Fazlur Rahman Khan. The Willis Tower is the second-tallest building in the United States and the 16th-tallest in the world. diff --git a/src/yaml/diego-del-llano/willoughby-tower.yaml b/src/yaml/diego-del-llano/willoughby-tower.yaml index cda06a18d..bd16080dd 100644 --- a/src/yaml/diego-del-llano/willoughby-tower.yaml +++ b/src/yaml/diego-del-llano/willoughby-tower.yaml @@ -4,7 +4,7 @@ version: "2.0" subfolder: 360-landmark info: summary: Willoughby Tower - description: > + description: | Willoughby Tower, at 8 S. Michigan avenue, on the southwest corner of E. Madison street, built in 1929, is 36 stories high, on caissons. Samuel N. Crowen was the architect. The eight-story Willoughby building (Western Bank Note building) previously occupied this corner. diff --git a/src/yaml/diggis/ponds-and-streams.yaml b/src/yaml/diggis/ponds-and-streams.yaml index fe956fd21..3ea0efc96 100644 --- a/src/yaml/diggis/ponds-and-streams.yaml +++ b/src/yaml/diggis/ponds-and-streams.yaml @@ -32,7 +32,7 @@ assets: - "/Ponds/.*Lots.dat" info: summary: "Modular ploppable ponds" - description: > + description: | This package contains the Shingle and Grass Base ponds lots as well as Ponds Addon Sets 1 and 2. These lots appear in a new submenu if `pkg=memo:submenus-dll` is installed. @@ -52,7 +52,7 @@ assets: - "/Streams/.*Lots.dat" info: summary: "Modular ploppable streams" - description: > + description: | This package contains the Shingle (orthogonal and diagonal) and Grass Base streams lots. These lots appear in a new submenu if `pkg=memo:submenus-dll` is installed. diff --git a/src/yaml/dmscopio/guangzhou-twin-tower-v2.yaml b/src/yaml/dmscopio/guangzhou-twin-tower-v2.yaml new file mode 100644 index 000000000..23ae1c849 --- /dev/null +++ b/src/yaml/dmscopio/guangzhou-twin-tower-v2.yaml @@ -0,0 +1,34 @@ +group: dmscopio +name: guangzhou-twin-tower +version: "2" +subfolder: 300-commercial +info: + summary: Guangzhou Twin Tower V2 + description: | + The Guangzhou Twin Tower comes as a ploppable landmark with CO$$$ jobs and also as a CO$$ stage 15 growable CAMeLot. + author: dmscopio + website: https://community.simtropolis.com/files/file/18671-guangzhou-twin-tower-v2/ + images: + - https://www.simtropolis.com/objects/screens/0001/05b1c0d328ad22224caab81f2dee9c25-GZTwinupload.jpg + - https://www.simtropolis.com/objects/screens/0001/05b1c0d328ad22224caab81f2dee9c25-GZTwinNightupload.jpg + +dependencies: + - bsc:essentials # should include old CAM essentials + - bsc:textures-vol01 + - bsc:textures-vol02 + +variants: + - variant: { CAM: "no" } + assets: + - assetId: dmscopio-guangzhou-twin-tower + exclude: + - "CO\\$\\$15" + - variant: { CAM: "yes" } + assets: + - assetId: dmscopio-guangzhou-twin-tower + +--- +assetId: dmscopio-guangzhou-twin-tower +version: "2" +lastModified: "2007-09-16T04:15:59Z" +url: https://community.simtropolis.com/files/file/18671-guangzhou-twin-tower-v2/?do=download diff --git a/src/yaml/dmscopio/soccer-city-stadium-by-dmscopio.yaml b/src/yaml/dmscopio/soccer-city-stadium-by-dmscopio.yaml new file mode 100644 index 000000000..a2e75e62a --- /dev/null +++ b/src/yaml/dmscopio/soccer-city-stadium-by-dmscopio.yaml @@ -0,0 +1,32 @@ +group: dmscopio +name: soccer-city-stadium +version: "1.0" +subfolder: 360-landmark +info: + summary: Soccer City Stadium + description: | + First National Bank Stadium or simply FNB Stadium, also known as Soccer City and The Calabash, is a stadium located in Nasrec, the Soweto area of Johannesburg, South Africa. + Designed as the main association football stadium for the World Cup, the FNB Stadium became the largest stadium in Africa with a capacity of 94,736. + + Statistics: + - Lot size: 18 x 18 + - Cost: Free + author: DmScopio + website: https://community.simtropolis.com/files/file/28813-soccer-city-stadium-by-dmscopio + images: + - https://www.simtropolis.com/objects/screens/monthly_06_2013/thumb-7182495203dcae06e9685f124330b09b-soccer-city.jpeg + - https://www.simtropolis.com/objects/screens/monthly_06_2013/thumb-a73d1c07d4aa7869d03de70a8ee75e02-bangara-16-jan--711372331034.png + - https://www.simtropolis.com/objects/screens/monthly_06_2013/thumb-53916158c22809fa72e5180f1b6b2496-bangara-2-mar--711372331061.png + - https://www.simtropolis.com/objects/screens/monthly_06_2013/thumb-64f74ae3f49471fdba43140c8710dd8e-soccer_city_in_johannesburg.jpg + +dependencies: + - bsc:textures-vol01 + +assets: + - assetId: dmscopio-soccer-city-stadium-by-dmscopio + +--- +assetId: dmscopio-soccer-city-stadium-by-dmscopio +version: "1.0" +lastModified: "2013-06-27T11:25:13Z" +url: https://community.simtropolis.com/files/file/28813-soccer-city-stadium-by-dmscopio?do=download diff --git a/src/yaml/fantozzi/audio-essentials.yaml b/src/yaml/fantozzi/audio-essentials.yaml index 479760613..16464d542 100644 --- a/src/yaml/fantozzi/audio-essentials.yaml +++ b/src/yaml/fantozzi/audio-essentials.yaml @@ -6,7 +6,7 @@ assets: - assetId: "fantozzi-audio-essentials" info: summary: "Broadly usable custom query sounds" - description: > + description: | This package is a dependency file containing handcrafted custom query sounds. author: "Fantozzi" website: "https://www.sc4evermore.com/index.php/downloads/download/22-dependencies/89-fantozzis-audio-essentials" diff --git a/src/yaml/fantozzi/colossus-farming.yaml b/src/yaml/fantozzi/colossus-farming.yaml index 5ec3ff875..a12864559 100644 --- a/src/yaml/fantozzi/colossus-farming.yaml +++ b/src/yaml/fantozzi/colossus-farming.yaml @@ -83,7 +83,7 @@ variantDescriptions: info: summary: "Huge set of CAM-patible farms (stage 1 to 10)" - description: > + description: | The mod contains a large assortment of farms designed for use with the Colossus Addon Mod (`pkg=cam:colossus-addon-mod`). It includes 134 growable farms and 45 fields as well as new props, textures and some ploppable filler pieces. diff --git a/src/yaml/fordoniak/wies-pack.yaml b/src/yaml/fordoniak/wies-pack.yaml index ae059403c..f340054ea 100644 --- a/src/yaml/fordoniak/wies-pack.yaml +++ b/src/yaml/fordoniak/wies-pack.yaml @@ -8,7 +8,7 @@ assets: - "\\.SC4Lot$" info: summary: "Wieśpack village buildings and barn props" - description: > + description: | This package contains only buildings and props. The lot files of the original upload are not included. author: "fordoniak" diff --git a/src/yaml/fukuda/blam-hidp-fx-chemicals.yaml b/src/yaml/fukuda/blam-hidp-fx-chemicals.yaml new file mode 100644 index 000000000..7761d5d22 --- /dev/null +++ b/src/yaml/fukuda/blam-hidp-fx-chemicals.yaml @@ -0,0 +1,47 @@ +group: blam +name: hidp-fx-chemicals +version: "1.0" +subfolder: 400-industrial +info: + summary: BLaM HIDP FX Chemicals + description: |- + FX Chemicals started their production in 1954, and were bought by the Gasol Corporation in december of the year 1987, they produce top-quality light ethylenes for variate industries (you can find them everywhere, in diverse forms) + + Stats: + - Location: Landmarks + - Size: 8x2 + - Bulldoze cost: 100 + - I-D Jobs: 544 + author: fukuda + website: https://community.simtropolis.com/files/file/17591-blam-hidp-fx-chemicals/ + images: + - https://www.simtropolis.com/objects/screens/0017/93f1338768b381f7cccaa4b9aa5ffcf3-fx1.JPG + - https://www.simtropolis.com/objects/screens/0017/93f1338768b381f7cccaa4b9aa5ffcf3-fx2.JPG +dependencies: + - blam:hidp-fx-chemicals-resources +assets: + - assetId: blam-hidp-fx-chemicals + include: + - \.SC4Lot$ + +--- +group: blam +name: hidp-fx-chemicals-resources +version: "1.0" +subfolder: 100-props-textures +info: + summary: HIDP FX Chemicals Resources + description: |- + Resource file for `pkg=blam:hidp-fx-chemicals` + author: fukuda + website: https://community.simtropolis.com/files/file/17591-blam-hidp-fx-chemicals/ +assets: + - assetId: blam-hidp-fx-chemicals + exclude: + - \.SC4Lot$ + +--- +assetId: blam-hidp-fx-chemicals +version: "1.0" +lastModified: "2007-01-03T20:44:23Z" +url: https://community.simtropolis.com/files/file/17591-blam-hidp-fx-chemicals/?do=download diff --git a/src/yaml/girafe/flora-pack.yaml b/src/yaml/girafe/flora-pack.yaml index 66ad99863..3b3937926 100644 --- a/src/yaml/girafe/flora-pack.yaml +++ b/src/yaml/girafe/flora-pack.yaml @@ -27,7 +27,7 @@ assets: include: [ "/Abies grandis v1/" ] info: summary: "Abies grandis" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -44,7 +44,7 @@ assets: include: [ "/Alders/" ] info: summary: "Alders" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -61,7 +61,7 @@ assets: include: [ "/Ashes v2/" ] info: summary: "Ashes" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -78,7 +78,7 @@ assets: include: [ "/Beeches v3/" ] info: summary: "Beeches" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -95,7 +95,7 @@ assets: include: [ "/Berries/" ] info: summary: "Berries" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -112,7 +112,7 @@ assets: include: [ "/Birches v2/" ] info: summary: "Birches" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -129,7 +129,7 @@ assets: include: [ "/Bushes v2/" ] info: summary: "Bushes" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -146,7 +146,7 @@ assets: include: [ "/Canary date palms/" ] info: summary: "Canary date palms" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -163,7 +163,7 @@ assets: include: [ "/Cattails v2.1/" ] info: summary: "Cattails" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -180,7 +180,7 @@ assets: include: [ "/Chestnuts/" ] info: summary: "Chestnuts" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -197,7 +197,7 @@ assets: include: [ "/Common spruces/" ] info: summary: "Common spruces" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -214,7 +214,7 @@ assets: include: [ "/Conifers/" ] info: summary: "Conifers" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -231,7 +231,7 @@ assets: include: [ "/Cypresses/" ] info: summary: "Cypresses" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). author: "Girafe" website: "https://www.sc4evermore.com/index.php/downloads/download/24-terrain-mods-and-tree-controllers/27-sc4d-lex-legacy-bsc-vip-girafe-flora" @@ -247,7 +247,7 @@ assets: include: [ "/Daisy v2/" ] info: summary: "Daisy" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -264,7 +264,7 @@ assets: include: [ "/Elms/" ] info: summary: "Elms" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -281,7 +281,7 @@ assets: include: [ "/Feather grass/" ] info: summary: "Feather grass" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -298,7 +298,7 @@ assets: include: [ "/Grand Firs \\(Abies Grandis v2\\)/" ] info: summary: "Grand Firs (Abies Grandis v2)" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -315,7 +315,7 @@ assets: include: [ "/Honey locust/" ] info: summary: "Honey locust" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -332,7 +332,7 @@ assets: include: [ "/Larches/" ] info: summary: "Larches" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -349,7 +349,7 @@ assets: include: [ "/Lindens/" ] info: summary: "Lindens" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -366,7 +366,7 @@ assets: include: [ "/Lupins/" ] info: summary: "Lupins" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -383,7 +383,7 @@ assets: include: [ "/Maples/" ] info: summary: "Maples" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -400,7 +400,7 @@ assets: include: [ "/Maples v2/" ] info: summary: "Maples v2" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -417,7 +417,7 @@ assets: include: [ "/Narcissus/" ] info: summary: "Narcissus" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -434,7 +434,7 @@ assets: include: [ "/Norway maples v2/" ] info: summary: "Norway maples" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -451,7 +451,7 @@ assets: include: [ "/Oaks v2/" ] info: summary: "Oaks" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -468,7 +468,7 @@ assets: include: [ "/Parasol pines/" ] info: summary: "Parasol pines" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). author: "Girafe" website: "https://www.sc4evermore.com/index.php/downloads/download/24-terrain-mods-and-tree-controllers/27-sc4d-lex-legacy-bsc-vip-girafe-flora" @@ -484,7 +484,7 @@ assets: include: [ "/Poplars/" ] info: summary: "Poplars" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -501,7 +501,7 @@ assets: include: [ "/Poppies/" ] info: summary: "Poppies" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -518,7 +518,7 @@ assets: include: [ "/Rowan trees v3/" ] info: summary: "Rowan trees" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -535,7 +535,7 @@ assets: include: [ "/Serbian Spruces v1/" ] info: summary: "Serbian spruces (older BSC-TSC version)" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -552,7 +552,7 @@ assets: include: [ "/Serbian spruces v2/" ] info: summary: "Serbian spruces v2" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -569,7 +569,7 @@ assets: include: [ "/Sparaxis/" ] info: summary: "Sparaxis" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -586,7 +586,7 @@ assets: include: [ "/Subalpine firs/" ] info: summary: "Subalpine firs" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -603,7 +603,7 @@ assets: include: [ "/Vines v2/" ] info: summary: "Vines" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -620,7 +620,7 @@ assets: include: [ "/Walnut trees/" ] info: summary: "Walnut trees" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" @@ -637,7 +637,7 @@ assets: include: [ "/Wheat v2/" ] info: summary: "Wheat" - description: > + description: | Wheat props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Girafe" diff --git a/src/yaml/girafe/maxis-fence-hd-replacement-mod.yaml b/src/yaml/girafe/maxis-fence-hd-replacement-mod.yaml index 5fec26ab4..a3a9e306a 100644 --- a/src/yaml/girafe/maxis-fence-hd-replacement-mod.yaml +++ b/src/yaml/girafe/maxis-fence-hd-replacement-mod.yaml @@ -7,7 +7,7 @@ assets: info: summary: HD replacement of 7 original Maxis fence props - description: > + description: | Great care was taken to create props which behave in the same way as the Maxis props in order to ensure a seamless override. author: "Flann, girafe" website: "https://community.simtropolis.com/files/file/33965-girafe-maxis-fence-hd-replacement-mod/" diff --git a/src/yaml/gn-leugim/azuleijitos-apartment.yaml b/src/yaml/gn-leugim/azuleijitos-apartment.yaml index ccfbd4f31..f57fbfc36 100644 --- a/src/yaml/gn-leugim/azuleijitos-apartment.yaml +++ b/src/yaml/gn-leugim/azuleijitos-apartment.yaml @@ -6,7 +6,7 @@ assets: - assetId: "gnl-eha-azuleijitos-apartment" info: summary: "Midsize European R$ apartment building (EHA) (EBLT)" - description: > + description: | This building is part of the European House Add-on (EHA) project which seamlessly integrates with Maxis buildings by extending the original building families. conflicts: "Incompatible with mods blocking Maxis lots" diff --git a/src/yaml/gn-leugim/eha-apartments-collection.yaml b/src/yaml/gn-leugim/eha-apartments-collection.yaml index 78af9d77c..103a337d2 100644 --- a/src/yaml/gn-leugim/eha-apartments-collection.yaml +++ b/src/yaml/gn-leugim/eha-apartments-collection.yaml @@ -13,7 +13,7 @@ dependencies: info: summary: "Collection of midsize European R$ apartment buildings (EBLT)" - description: > + description: | These buildings are part of the European House Add-on (EHA) project which seamlessly integrate with Maxis buildings by extending the original building families. diff --git a/src/yaml/gn-leugim/four-square-block.yaml b/src/yaml/gn-leugim/four-square-block.yaml index 82aca4905..64bfcab0b 100644 --- a/src/yaml/gn-leugim/four-square-block.yaml +++ b/src/yaml/gn-leugim/four-square-block.yaml @@ -6,7 +6,7 @@ assets: - assetId: "gnl-eha-four-square-block" info: summary: "Midsize European R$ apartment building (EHA) (EBLT)" - description: > + description: | This building is part of the European House Add-on (EHA) project which seamlessly integrates with Maxis buildings by extending the original building families. conflicts: "Incompatible with mods blocking Maxis lots" diff --git a/src/yaml/gn-leugim/high-fall-apartments.yaml b/src/yaml/gn-leugim/high-fall-apartments.yaml index 7ba372885..d026883c3 100644 --- a/src/yaml/gn-leugim/high-fall-apartments.yaml +++ b/src/yaml/gn-leugim/high-fall-apartments.yaml @@ -6,7 +6,7 @@ assets: - assetId: "gnl-eha-high-fall-apartments" info: summary: "Highrise European R$ apartment building (EHA) (EBLT)" - description: > + description: | This building is part of the European House Add-on (EHA) project which seamlessly integrates with Maxis buildings by extending the original building families. conflicts: "Incompatible with mods blocking Maxis lots" diff --git a/src/yaml/gn-leugim/lousy-apartments.yaml b/src/yaml/gn-leugim/lousy-apartments.yaml index 2ea37a5b0..9c90b8bb2 100644 --- a/src/yaml/gn-leugim/lousy-apartments.yaml +++ b/src/yaml/gn-leugim/lousy-apartments.yaml @@ -6,7 +6,7 @@ assets: - assetId: "gnl-eha-lousy-apartments" info: summary: "Midsize European R$ apartment building (EHA) (EBLT)" - description: > + description: | This building is part of the European House Add-on (EHA) project which seamlessly integrates with Maxis buildings by extending the original building families. conflicts: "Incompatible with mods blocking Maxis lots" diff --git a/src/yaml/gn-leugim/mr-hammer-apartments.yaml b/src/yaml/gn-leugim/mr-hammer-apartments.yaml index 73b827e8b..2f7199b1f 100644 --- a/src/yaml/gn-leugim/mr-hammer-apartments.yaml +++ b/src/yaml/gn-leugim/mr-hammer-apartments.yaml @@ -6,7 +6,7 @@ assets: - assetId: "gnl-eha-mr-hammer-apartments" info: summary: "Midsize European R$ apartment building (EHA) (EBLT)" - description: > + description: | This building is part of the European House Add-on (EHA) project which seamlessly integrates with Maxis buildings by extending the original building families. conflicts: "Incompatible with mods blocking Maxis lots" diff --git a/src/yaml/gn-leugim/poor-apartments.yaml b/src/yaml/gn-leugim/poor-apartments.yaml index e5dbccc60..bb4cf928d 100644 --- a/src/yaml/gn-leugim/poor-apartments.yaml +++ b/src/yaml/gn-leugim/poor-apartments.yaml @@ -6,7 +6,7 @@ assets: - assetId: "gnl-eha-poor-apartments" info: summary: "Small European R$ apartment building (EHA) (EBLT)" - description: > + description: | This building is part of the European House Add-on (EHA) project which seamlessly integrates with Maxis buildings by extending the original building families. conflicts: "Incompatible with mods blocking Maxis lots" diff --git a/src/yaml/gn-leugim/poor-terraces.yaml b/src/yaml/gn-leugim/poor-terraces.yaml index e33091db1..baa4b7fad 100644 --- a/src/yaml/gn-leugim/poor-terraces.yaml +++ b/src/yaml/gn-leugim/poor-terraces.yaml @@ -6,7 +6,7 @@ assets: - assetId: "gnl-eha-poor-terraces" info: summary: "Small European R$ apartment building (EHA) (EBLT)" - description: > + description: | This building is part of the European House Add-on (EHA) project which seamlessly integrates with Maxis buildings by extending the original building families. conflicts: "Incompatible with mods blocking Maxis lots" diff --git a/src/yaml/gutterclub/camy-dumpling-house.yaml b/src/yaml/gutterclub/camy-dumpling-house.yaml index d23b262c6..5f040e03d 100644 --- a/src/yaml/gutterclub/camy-dumpling-house.yaml +++ b/src/yaml/gutterclub/camy-dumpling-house.yaml @@ -18,7 +18,7 @@ variants: info: summary: "Small CS$ building" - description: > + description: | The building is based on a bar in Melbourne's Chinatown and grows on a 1×2 CS$ lot. author: "gutterclub" diff --git a/src/yaml/gutterclub/city-tatoo.yaml b/src/yaml/gutterclub/city-tatoo.yaml index 259dddf7e..06a987ff1 100644 --- a/src/yaml/gutterclub/city-tatoo.yaml +++ b/src/yaml/gutterclub/city-tatoo.yaml @@ -14,7 +14,7 @@ variants: info: summary: "Small CS$$ W2W building" - description: > + description: | The 1×2 CS$$ lot combines a slim apartment building with a tatoo shop, wall-to-wall. author: "gutterclub" website: "https://community.simtropolis.com/files/file/28035-city-tattoo/" diff --git a/src/yaml/gutterclub/murray-beer-co.yaml b/src/yaml/gutterclub/murray-beer-co.yaml index b8d790157..03298022b 100644 --- a/src/yaml/gutterclub/murray-beer-co.yaml +++ b/src/yaml/gutterclub/murray-beer-co.yaml @@ -7,7 +7,7 @@ assets: info: summary: "Small craft brewery company (W2W)" - description: > + description: | The Murray Beer Co is a little craft brewery based on one in Wellington, New Zealand. This little CS$$ stage 4 lot (1×2) sells odd flavoured IPAs to 30 year olds with big beards for twice the price of the normal beer. No nitelites with this one, their license only runs till 9pm. diff --git a/src/yaml/gutterclub/small-caffe-nero.yaml b/src/yaml/gutterclub/small-caffe-nero.yaml index c2dfb3f62..b1cbe40a7 100644 --- a/src/yaml/gutterclub/small-caffe-nero.yaml +++ b/src/yaml/gutterclub/small-caffe-nero.yaml @@ -14,7 +14,7 @@ variants: info: summary: "Small CS$$ W2W coffee shop" - description: > + description: | The 1×2 CS$$ building is based on various small coffee shops found in retail parks and town centres across the UK. The lot sits wall-to-wall, however is set slightly back from the sidewalk and has tables out front. author: "gutterclub" diff --git a/src/yaml/haarlemmergold/mega-props-dutch.yaml b/src/yaml/haarlemmergold/mega-props-dutch.yaml index c5ff251b5..4780baa6c 100644 --- a/src/yaml/haarlemmergold/mega-props-dutch.yaml +++ b/src/yaml/haarlemmergold/mega-props-dutch.yaml @@ -6,7 +6,7 @@ assets: - assetId: "haarlemmergold-mega-props-dutch-vol01" info: summary: "Dutch building models by Haarlemmergold" - description: > + description: | This package is a Mega Pack of all Haarlemmergold Dutch buildings to date. author: "Haarlemmergold" website: "https://www.sc4evermore.com/index.php/downloads/download/22-dependencies/171-haarl-mega-props-dutch-vol-01" diff --git a/src/yaml/haarlemmergold/small-german-church.yaml b/src/yaml/haarlemmergold/small-german-church.yaml index ea39f38b3..2ff4b700f 100644 --- a/src/yaml/haarlemmergold/small-german-church.yaml +++ b/src/yaml/haarlemmergold/small-german-church.yaml @@ -7,7 +7,7 @@ assets: info: summary: "Stiftskirche" - description: > + description: | This package contains a small German village church. It comes as a landmark on a 2x3 lot and includes nightlights. author: "Haarlemmergold" diff --git a/src/yaml/hugues-aroux/textures-pack.yaml b/src/yaml/hugues-aroux/textures-pack.yaml index c35f8fadc..49a22eaa8 100644 --- a/src/yaml/hugues-aroux/textures-pack.yaml +++ b/src/yaml/hugues-aroux/textures-pack.yaml @@ -1,10 +1,10 @@ group: "hugues-aroux" name: "textures-pack" -version: "1.0.4" +version: "1.0.5" subfolder: "100-props-textures" info: summary: "Scoty textures pack" - description: > + description: | Base and overlay textures for pavements, paths, parks, etc. website: "https://community.simtropolis.com/files/file/36297-scoty-textures-packs/" images: @@ -16,5 +16,5 @@ assets: --- url: "https://community.simtropolis.com/files/file/36297-scoty-textures-packs/?do=download" assetId: "hugues-aroux-textures-pack" -version: "1.0.4" -lastModified: "2024-09-28T08:20:14Z" +version: "1.0.5" +lastModified: "2024-12-16T22:30:07Z" diff --git a/src/yaml/hund88/sunflower-field-props.yaml b/src/yaml/hund88/sunflower-field-props.yaml index e6f1ec98e..6ff0c9b94 100644 --- a/src/yaml/hund88/sunflower-field-props.yaml +++ b/src/yaml/hund88/sunflower-field-props.yaml @@ -12,7 +12,7 @@ assets: info: summary: "Sunflower props" - description: > + description: | This package contains slope-friendly sunflower field props (no-shadow variant). author: "HunD88" website: "https://community.simtropolis.com/files/file/21220-sunflower-field/" diff --git a/src/yaml/ids2/doubletree-hotel.yaml b/src/yaml/ids2/doubletree-hotel.yaml index fa2bfb72a..79c43807d 100644 --- a/src/yaml/ids2/doubletree-hotel.yaml +++ b/src/yaml/ids2/doubletree-hotel.yaml @@ -16,7 +16,7 @@ variants: info: summary: "Large hotel building (CS$$)" - description: > + description: | Based on one in Milwaukee, Wisconsin, this is a fairly nondescript mid-70s hotel and conference center, akin to what you would see in any sizeable American city. This building sits on a 7×3 lot and comes in growable and ploppable CS$$ varieties. diff --git a/src/yaml/ids2/minneapolis-house-set.yaml b/src/yaml/ids2/minneapolis-house-set.yaml index 30005e6aa..8348f16fe 100644 --- a/src/yaml/ids2/minneapolis-house-set.yaml +++ b/src/yaml/ids2/minneapolis-house-set.yaml @@ -23,7 +23,7 @@ variants: info: summary: "32 R$$ houses with garages" - description: > + description: | The package includes 8 house designs with 4 color variations and 9 detached garages on 25 unique lots (stages 1 to 5) for the Houston tile set. The houses are all based on real world counterparts in the Morris Park diff --git a/src/yaml/ids2/retro-theaters.yaml b/src/yaml/ids2/retro-theaters.yaml index 072e98883..b93d50781 100644 --- a/src/yaml/ids2/retro-theaters.yaml +++ b/src/yaml/ids2/retro-theaters.yaml @@ -14,7 +14,7 @@ variants: info: summary: "4 small theaters (CS$$)" - description: > + description: | This is a set of four 40s-50s theaters faithfully modeled after real world examples. All lots are 1×3, CS$$, and are both growable and ploppable. diff --git a/src/yaml/jasoncw/hsbc-tower.yaml b/src/yaml/jasoncw/hsbc-tower.yaml index d0a6b2f1c..f1ac9954f 100644 --- a/src/yaml/jasoncw/hsbc-tower.yaml +++ b/src/yaml/jasoncw/hsbc-tower.yaml @@ -14,7 +14,7 @@ variants: info: summary: "30-floor CO$$$ skyscraper" - description: > + description: | This package includes a growable and ploppable version of the HSBC Tower located in Auckland, New Zealand. It grows in the Houston and Euro tilesets on a 4×5 corner lot. author: "Jasoncw" diff --git a/src/yaml/jasoncw/model-discount-furniture.yaml b/src/yaml/jasoncw/model-discount-furniture.yaml index ef9feb009..cb78d0717 100644 --- a/src/yaml/jasoncw/model-discount-furniture.yaml +++ b/src/yaml/jasoncw/model-discount-furniture.yaml @@ -14,7 +14,7 @@ variants: info: summary: "Small furniture store" - description: > + description: | Model Discount Furniture is based on a furniture store of the same name, in Chicago, USA. It grows in the Chicago and NYC tilesets on a CS$ 1×2 lot (W2W). author: "Jasoncw" diff --git a/src/yaml/jasoncw/pizza-ribs-sushi.yaml b/src/yaml/jasoncw/pizza-ribs-sushi.yaml index 2e699348b..099e735a5 100644 --- a/src/yaml/jasoncw/pizza-ribs-sushi.yaml +++ b/src/yaml/jasoncw/pizza-ribs-sushi.yaml @@ -14,7 +14,7 @@ variants: info: summary: "Small pizza restaurant" - description: > + description: | Your one stop shop for world famous pizza, ribs, and sushi! Grows in the Euro and Houston tilesets on a CS$ 1×2 lot (W2W). diff --git a/src/yaml/jenx/fauna.yaml b/src/yaml/jenx/fauna.yaml index 070955c3e..be3c3c339 100644 --- a/src/yaml/jenx/fauna.yaml +++ b/src/yaml/jenx/fauna.yaml @@ -2,7 +2,7 @@ assetId: "jenx-fauna" version: "1.0" lastModified: "2023-09-15T16:33:15-07:00" -url: "https://www.sc4evermore.com/index.php/downloads?task=download.send&id=155:sc4d-lex-legacy-jenx-fauna&catid=25" +url: "https://www.sc4evermore.com/index.php/downloads?task=download.send&id=155:sc4d-lex-legacy-jenx-fauna" --- group: "jenx" diff --git a/src/yaml/jim/carprop-pack.yaml b/src/yaml/jim/carprop-pack.yaml new file mode 100644 index 000000000..cf5977cc1 --- /dev/null +++ b/src/yaml/jim/carprop-pack.yaml @@ -0,0 +1,20 @@ +group: jim +name: carprop-pack +version: "1.2" +subfolder: 100-props-textures +info: + summary: Jim Carprop Pack + author: Jim + website: http://hide-inoki.com/bbs/archives/sc4_0860.html + images: + - http://hide-inoki.com/bbs/archives/files/138.jpg +assets: + - assetId: hide-inoki-jim-carprop + +--- +assetId: hide-inoki-jim-carprop +version: "1.2-1" +lastModified: "2012-11-11T23:17:00Z" +url: http://hide-inoki.com/bbs/archives/files/1598.zip +checksum: + sha256: d1a4e2735436867e46b847a83266874fe4963517d88f147dc795bdb9b4862d1c diff --git a/src/yaml/jmyers2043/homes-pack.yaml b/src/yaml/jmyers2043/homes-pack.yaml index 333f91573..4bd4cc73c 100644 --- a/src/yaml/jmyers2043/homes-pack.yaml +++ b/src/yaml/jmyers2043/homes-pack.yaml @@ -15,7 +15,7 @@ assets: info: summary: "18 R$ houses" - description: > + description: | This package is intended to add variety to the beginning of the game. It also adds variety for those who enjoy rural region play where R$ residents reside. diff --git a/src/yaml/kergelen/parkings-on-slope.yaml b/src/yaml/kergelen/parkings-on-slope.yaml new file mode 100644 index 000000000..e65e0cb22 --- /dev/null +++ b/src/yaml/kergelen/parkings-on-slope.yaml @@ -0,0 +1,76 @@ +group: kergelen +name: parkings-on-slope +version: "1.0" +subfolder: 700-transit +info: + summary: Parkings on-slope + description: | + This is a set of parking lots to fit on the slopes. You can use them on slopes between 0 to 30 meters. + + You will find the Lots under the "Rail Menu". The set also includes a small add-on with some plaza pieces. + + Important: In order to be placed correctly the lots need to be a road/rail above and below the slope as shown in the pictures! + + CONTENTS + - 1 straight parking piece with tree + - 1 straight parking piece with lamp + - 1 end left parking piece + - 1 end right parking piece + - 1 plaza corner right + - 1 plaza corner left + + author: kergelen + website: https://community.simtropolis.com/files/file/28905-krg-parkings-on-slope/ + images: + - https://www.simtropolis.com/objects/screens/monthly_08_2013/5417a8c4ce46b336c68cbe27dd7ca6b9-parking_stex_2.jpg + - https://www.simtropolis.com/objects/screens/monthly_08_2013/88aa9e66f0ca7cd3081f9a361ba40acd-parking-and-plaza-on-slope.png + - https://www.simtropolis.com/objects/screens/monthly_08_2013/00e53b138206443c0120fe79f884153c-parking-grid.png + +dependencies: + - paeng:streetside-diagonal-parking-textures + - mattb325:cruise-ship-terminal-retaining-wall + - bsc:mega-props-newmaninc-vol02 + - shk:parking-pack + - bsc:mega-props-cp-vol01 + - girafe:ashes + - bsc:mega-props-swi21-vol01 +assets: + - assetId: kergelen-parkings-on-slope + exclude: + - Kergelen Parking on slope/Add-on/ + +--- +group: kergelen +name: parkings-on-slope-plaza-addon +version: "1.0" +subfolder: 700-transit +info: + summary: Parkings on-slope plaza addon + description: | + Plaza addons for `pkg=kergelen:parkings-on-slope` + + Contains: + - 1 plaza with benches + - 1 plaza with flowers + - 1 plaza with kiosk + author: kergelen + website: https://community.simtropolis.com/files/file/28905-krg-parkings-on-slope/ + images: + - https://www.simtropolis.com/objects/screens/monthly_08_2013/5417a8c4ce46b336c68cbe27dd7ca6b9-parking_stex_2.jpg + - https://www.simtropolis.com/objects/screens/monthly_08_2013/88aa9e66f0ca7cd3081f9a361ba40acd-parking-and-plaza-on-slope.png + - https://www.simtropolis.com/objects/screens/monthly_08_2013/00e53b138206443c0120fe79f884153c-parking-grid.png + +dependencies: + - kergelen:parkings-on-slope + - bsc:mega-props-sg-vol01 + - namspopof:props-pack-vol2 +assets: + - assetId: kergelen-parkings-on-slope + include: + - Kergelen Parking on slope/Add-on/ + +--- +assetId: kergelen-parkings-on-slope +version: "1.0" +lastModified: "2013-08-01T08:21:47Z" +url: https://community.simtropolis.com/files/file/28905-krg-parkings-on-slope/?do=download diff --git a/src/yaml/kingofsimcity/community-regional-park-pack.yaml b/src/yaml/kingofsimcity/community-regional-park-pack.yaml index 90463dc1c..e61c330ba 100644 --- a/src/yaml/kingofsimcity/community-regional-park-pack.yaml +++ b/src/yaml/kingofsimcity/community-regional-park-pack.yaml @@ -52,7 +52,7 @@ assets: info: summary: "11 parks ranging from humble neighborhood park to a regional giant" - description: > + description: | Most of the original parks in-game were designed with a singular function in mind. For example, courts, green space, fields and plazas were all presented individually. This set takes a different approach and combines @@ -99,7 +99,7 @@ dependencies: - "kingofsimcity:community-regional-park-pack-vol2-tennis-parks" info: summary: "Set of 36 large parks with a focus on sports" - description: > + description: | Volume 2 has a heavier focus towards sports courts and complexes and as such, you'll see plenty of new (and renewed) tennis courts, baseball, softball and soccer/football fields for your Sims. diff --git a/src/yaml/kingofsimcity/irm-base-fa-filler-set.yaml b/src/yaml/kingofsimcity/irm-base-fa-filler-set.yaml new file mode 100644 index 000000000..a837325c8 --- /dev/null +++ b/src/yaml/kingofsimcity/irm-base-fa-filler-set.yaml @@ -0,0 +1,37 @@ +group: kingofsimcity +name: irm-base-fa-filler-set +version: "1.00" +subfolder: 400-industrial +info: + summary: Industrial Revolution Mod - Base Fractional-Angle Filler Set + description: | + This is a set of ploppable filler lots for dirty, manufacturing, and hi-tech industry geared towards adding FA (Fractional Angle) support to the originals. + The set was designed with IRM in mind and as such, utilizes matching bases and walls from that of T Wrecks' original release (`pkg=memo:industrial-revolution-mod`). + + This package contains a set of 12 wall filler lots: 4 for dirty, manufacturing and hi-tech industry respectively. FA2 (2x1) and FA3 (3x1) are supported and each type comes with a mirrored version. + With the exception of I-HT variants - which are wall-less pieces - both I-D and I-M use the same walls as the originals. + + Lot stats are designed to match the original IRM fillers as closely as possible. Positioning indicators are present to help with lot placement and alignment. + Every lot is practically neutral, with negligible amounts of pollution, no power/water consumption and cost nothing to maintain. + It takes §5 to bulldoze a lot and are extremely cheap to plop (§5 for I-D, §6 for I-M, §7 for I-HT). + + The lots are located in the landmarks menu and are positioned in-line with the originals. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/32426-industrial-revolution-mod-base-fa-filler-set/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2018_08/splash.thumb.jpg.8f8fd9ad78d7a27a9c326b92dd2a402c.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_08/detail_1.thumb.jpg.53bcd017787d8a8da7d6a41b234879e9.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_08/lots.thumb.jpg.b80338c5684b272bd4bf04e5376ce408.jpg + +dependencies: + - bsc:mega-props-cp-vol01 + - sfbt:essentials + - ncd:rail-yard-and-spur-mega-pak-1 +assets: + - assetId: kingofsimcity-irm-base-fa-filler-set + +--- +assetId: kingofsimcity-irm-base-fa-filler-set +version: "1.00" +lastModified: "2018-08-20T05:54:31Z" +url: https://community.simtropolis.com/files/file/32426-industrial-revolution-mod-base-fa-filler-set/?do=download diff --git a/src/yaml/kingofsimcity/irm-big-logistic-filler-set.yaml b/src/yaml/kingofsimcity/irm-big-logistic-filler-set.yaml new file mode 100644 index 000000000..c8d37ce0d --- /dev/null +++ b/src/yaml/kingofsimcity/irm-big-logistic-filler-set.yaml @@ -0,0 +1,45 @@ +group: kingofsimcity +name: irm-big-logistic-filler-set +version: "1.00" +subfolder: 400-industrial +info: + summary: Industrial Revolution Mod - Big Logistic Filler Set + description: | + This is a set of larger, ploppable prefab filler lots for dirty, manufacturing, and hi-tech industry which seek to expand logistic support for your industries. + The set was designed with IRM in mind and as such, utilizes matching bases and walls from that of T Wrecks' original release (`pkg=memo:industrial-revolution-mod`). + + This package contains a set of 15 large prefab lots: 5 for dirty, manufacturing and hi-tech industry respectively. There are 3 dedicated transit-enabled entrances. + The rest of the lots are dedicated to large blocks of parked semis and trailers, with 45 degree parking for semi trucks and 22.5 degree parking for trailers only. + All of the lots are also available in a mirrored configuration. + Lot stats are designed to match the original IRM fillers as closely as possible. + + Positioning indicators are present to help with lot placement and alignment. Every lot is practically neutral, with negligible amounts of pollution, no power/water consumption and cost nothing to maintain. + It takes §5 to bulldoze a lot and they are also extremely cheap to plop. Due to the lots being of considerable size, the plop costs have been doubled respectively (§10 for I-D, §12 for I-M, §14 for I-HT). + The lots are located in the landmarks menu and are positioned just after the originals. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/32413-industrial-revolution-mod-big-logistic-filler-set/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2018_08/splash.thumb.jpg.b63b13606d54fc242ec7035896fe72c5.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_08/detail_1.thumb.jpg.e5f6df71d721007c5b166b6d90d541d9.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_08/lots.thumb.jpg.2687cc2db242c7e6440e1c7f0cc6d682.jpg + +dependencies: + - kingofsimcity:logistics-essentials + - shk:parking-pack + - mushymushy:na-40ft-trailers-vol1 + - mushymushy:na-53ft-trailers-vol1 + - supershk:mega-parking-textures + - supershk:fa3-parking-textures + - bsc:mega-props-sg-vol01 + - bsc:mega-props-cp-vol01 + - bsc:mega-props-jes-vol02 + - sfbt:essentials + - ncd:rail-yard-and-spur-mega-pak-1 +assets: + - assetId: kingofsimcity-irm-big-logistic-filler-set + +--- +assetId: kingofsimcity-irm-big-logistic-filler-set +version: "1.00" +lastModified: "2018-08-15T03:08:18Z" +url: https://community.simtropolis.com/files/file/32413-industrial-revolution-mod-big-logistic-filler-set/?do=download diff --git a/src/yaml/kingofsimcity/irm-logistic-filler-set-1.yaml b/src/yaml/kingofsimcity/irm-logistic-filler-set-1.yaml new file mode 100644 index 000000000..3b8012ab5 --- /dev/null +++ b/src/yaml/kingofsimcity/irm-logistic-filler-set-1.yaml @@ -0,0 +1,48 @@ +group: kingofsimcity +name: irm-logistic-filler-set-1 +version: "1.00" +subfolder: 400-industrial +info: + summary: Industrial Revolution Mod - Logistic Filler Set 1 + description: | + This is a set of ploppable filler lots for dirty, manufacturing, and hi-tech industry which are designed to add some logistic support to your industrial areas. + The set was designed with IRM in mind and as such, utilizes matching bases and walls from that of the original releases (`pkg=memo:industrial-revolution-mod`). + + This package contains a set of 15 filler lots: 5 for dirty, manufacturing and hi-tech industrial areas. + All the lots have props that are highly randomized. + Parked trailers and semi cabs will show up in many different sizes and forms and sometimes not even at all. + + Lot stats are designed to match the original IRM fillers as closely as possible. + This includes positioning indicators to help you align the lots with respect to other things around it. + Every lot is nearly neutral, with negligible amounts of pollution, no power/water consumption and are maintenance free. + All lots are $5 to bulldoze and are extremely cheap to plop ($5 for I-D, $6 for I-M, $7 for I-HT). + + The lots are located in the landmarks menu and clumped together with the original filler sets. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/31590-industrial-revolution-mod-logistic-filler-set-1/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2017_04/splash.thumb.jpg.62d2e57d59dbb42b848f63f2d969e5ab.jpg + - https://www.simtropolis.com/objects/screens/monthly_2017_04/tiles.thumb.jpg.16d316d3c0e8bc6d377c131cf354dd0d.jpg + - https://www.simtropolis.com/objects/screens/monthly_2017_04/detail_1.thumb.jpg.f262a450594bbd3341732d0d9dc3c26c.jpg + - https://www.simtropolis.com/objects/screens/monthly_2017_04/detail_2.thumb.jpg.fc07a2e45b9ae21f51e30b4c73638491.jpg + +dependencies: + - kingofsimcity:logistics-essentials + - mushymushy:na-semi-truck-cabs-vol1 + - mushymushy:na-40ft-trailers-vol1 + - mushymushy:na-53ft-trailers-vol1 + - bsc:mega-props-misc-vol02 + - bsc:mega-props-sg-vol01 + - bsc:mega-props-cp-vol01 + - bsc:mega-props-jes-vol01 + - bsc:mega-props-jes-vol02 + - sfbt:essentials + - ncd:rail-yard-and-spur-mega-pak-1 +assets: + - assetId: kingofsimcity-irm-logistic-filler-set-1 + +--- +assetId: kingofsimcity-irm-logistic-filler-set-1 +version: "1.00" +lastModified: "2017-04-27T02:23:36Z" +url: https://community.simtropolis.com/files/file/31590-industrial-revolution-mod-logistic-filler-set-1/?do=download diff --git a/src/yaml/kingofsimcity/irm-logistic-filler-set-2.yaml b/src/yaml/kingofsimcity/irm-logistic-filler-set-2.yaml new file mode 100644 index 000000000..7a46ce529 --- /dev/null +++ b/src/yaml/kingofsimcity/irm-logistic-filler-set-2.yaml @@ -0,0 +1,42 @@ +group: kingofsimcity +name: irm-logistic-filler-set-2 +version: "1.00" +subfolder: 400-industrial +info: + summary: Industrial Revolution Mod - Logistic Filler Set 2 + description: | + This package contains a set of 12 ploppable filler lots: 4 for dirty, manufacturing and hi-tech industrial areas. + Each industrial type has 2 common lot types and 2 unique ones. + Unique lots include dump trucks and oil tankers for I-D, flatbeds with piping and random junk for I-M, and temp offices and flatbeds with objects covered in tarp for I-HT. Like previous releases, all lots are configured to be highly randomized. + Do note that most of the lots here are wider (2x2). + + Lot stats are designed to match the original IRM fillers as closely as possible (`pkg=memo:industrial-revolution-mod`). + Positioning indicators are present to help with lot placement and alignment. + Every lot is practically neutral, with negligible amounts of pollution, no power/water consumption and cost nothing to maintain. + It takes §5 to bulldoze a lot and each are extremely cheap to plop (§5 for I-D, §6 for I-M, §7 for I-HT). + + The lots are located in the landmarks menu and are positioned in-line with the originals. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/32758-industrial-revolution-mod-logistic-filler-set-2/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2019_02/splash.thumb.jpg.8f3747669d58105f1bf9b4206153ee76.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_02/details.thumb.jpg.e01517d0e959fb154cb9aada832eb81d.jpg + +dependencies: + - kingofsimcity:logistics-essentials + - angry-mozart:trucks-and-trailers-props + - shk:parking-pack + - bsc:mega-props-sg-vol01 + - bsc:mega-props-cp-vol01 + - bsc:mega-props-jes-vol01 + - bsc:mega-props-jes-vol02 + - sfbt:essentials + - ncd:rail-yard-and-spur-mega-pak-1 +assets: + - assetId: kingofsimcity-irm-logistic-filler-set-2 + +--- +assetId: kingofsimcity-irm-logistic-filler-set-2 +version: "1.00" +lastModified: "2019-02-19T04:58:31Z" +url: https://community.simtropolis.com/files/file/32758-industrial-revolution-mod-logistic-filler-set-2/?do=download diff --git a/src/yaml/kingofsimcity/logistics-essentials.yaml b/src/yaml/kingofsimcity/logistics-essentials.yaml index 3f95a30ec..f7839343e 100644 --- a/src/yaml/kingofsimcity/logistics-essentials.yaml +++ b/src/yaml/kingofsimcity/logistics-essentials.yaml @@ -11,7 +11,7 @@ assets: - assetId: "kingofsimcity-logistics-essentials" info: summary: "FA3 angled parking textures and prop families" - description: > + description: | Do you want to recreate a large distribution center with ample truck parking space of all angles and populate them with tons of random trailers from different freight and logistic companies? If so, then you've come to the right place! This package contains a set of 175 overlay textures, offered in either white or yellow (mostly) paint. There are 36 prop families for MushyMushy's HD North American trucks and cabs covering all bases and angles, and 16 new prop families that cover some of the more irregular angles of Angry Mozart's cabs. author: "kingofsimcity" images: diff --git a/src/yaml/kingofsimcity/maxis-mansion-overhaul.yaml b/src/yaml/kingofsimcity/maxis-mansion-overhaul.yaml index bdbf83685..00477822c 100644 --- a/src/yaml/kingofsimcity/maxis-mansion-overhaul.yaml +++ b/src/yaml/kingofsimcity/maxis-mansion-overhaul.yaml @@ -20,7 +20,7 @@ dependencies: info: summary: "Full set of override Lots replacing all default Maxis mansion Lots" - description: > + description: | This mod brings more details, more variety, better slope tolerance, seasonal trees and many other improvements to the Maxis mansions. @@ -81,7 +81,7 @@ dependencies: - "supershk:mega-parking-textures" info: summary: "33 additional lots supplementing the Maxis Mansion Overhaul" - description: > + description: | This set expands the original mod by taking advantage of new lot sizes, climate variation, and the strength of the individual models themselves to add further variation in your affluent areas. diff --git a/src/yaml/kingofsimcity/sp-modular-parking-add-on-pack-1.yaml b/src/yaml/kingofsimcity/sp-modular-parking-add-on-pack-1.yaml new file mode 100644 index 000000000..21e90b342 --- /dev/null +++ b/src/yaml/kingofsimcity/sp-modular-parking-add-on-pack-1.yaml @@ -0,0 +1,36 @@ +group: kingofsimcity +name: sp-modular-parking-add-on-pack-1 +version: "1.1" +subfolder: 700-transit +info: + summary: SP Modular Parking - Add-on Pack 1 + description: | + This is the 1st addon pack of the SuperParking modular parking series. Unlike a full-blown expansion, this small pack covers some odds and ends that were missed on the original sets. These include full no road marking support for all junction variations, and a couple of transitions for a few awkward spots. + + The set contains a set of 14 lots, all of which are cosmetic pieces located near the top of the Parks menu. Like before all of the menus are grouped and color coded according to the specific type of parking. + + General Stats + - Cosmetic Pieces + - Plop Cost: $0 - $9 + + All of the cosmetic pieces are considered “neutral lots”, meaning they have pretty much no stats, come at no maintenance cost, and are not of any particular wealth. The detailing on these lots were kept minimal, as to ensure that MMPs can be used on them liberally. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/30958-kosc-sp-modular-parking-add-on-pack-1/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411160907_1.thumb.jpg.8d4caebddec1ad54011a48702a3f12da.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411125330_1.thumb.jpg.fda1ea0907774dca7ff23d09f9a905f0.jpg + +dependencies: + - kingofsimcity:sp-modular-parking-base-set + - kingofsimcity:sp-modular-parking-diagonal-set + - supershk:mega-parking-textures + - shk:parking-pack + - peg:spot +assets: + - assetId: kingofsimcity-sp-modular-parking-add-on-pack-1 + +--- +assetId: kingofsimcity-sp-modular-parking-add-on-pack-1 +version: "1.1" +lastModified: "2016-02-18T07:06:06Z" +url: https://community.simtropolis.com/files/file/30958-kosc-sp-modular-parking-add-on-pack-1/?do=download diff --git a/src/yaml/kingofsimcity/sp-modular-parking-base-set.yaml b/src/yaml/kingofsimcity/sp-modular-parking-base-set.yaml new file mode 100644 index 000000000..d554c2e9c --- /dev/null +++ b/src/yaml/kingofsimcity/sp-modular-parking-base-set.yaml @@ -0,0 +1,56 @@ +group: kingofsimcity +name: sp-modular-parking-base-set +version: "1.3" +subfolder: 700-transit +info: + summary: SP Modular Parking - Base Set + description: | + This is the 1st part of the SuperParking modular parking series, which is aimed towards creating even more realistic and crazy parking derivatives from the original SHK Parking Pack. This is the base set, which contains all the essentials for making orthogonal oriented parking lots, junctions, and more. + + The set contains a set of 49 lots. There are 7 functional “parking garage” pieces, with Transit Enabled connections which are located in the Misc Transportation menu, and 42 cosmetic pieces located near the top of the Parks menu. All of the menus are grouped and color coded according to the specific type of parking, ranging from A to D type. + + General Stats + - Street Entrances + - Plop Cost: $250 + - Capacity: 1,000 + - Road Entrance + - Plop Cost: $500 + - Capacity: 1,500 + - Cosmetic Pieces + - Plop Cost: $0 - $6 + + All of the cosmetic pieces are considered “neutral lots”, meaning they have pretty much no stats, come at no maintenance cost, and are not of any particular wealth. The detailing on these lots were kept minimal, as to ensure that MMPs can be used on them liberally. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/30941-kosc-sp-modular-parking-base-set/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2016_04/2016-02-07_00010.jpg.893d66e13ca9359296ae751cbb02a703.jpg.515308407fbd5fb5da4095702f74415e.jpg.388e1914456f333f944da6813f703044.thumb.jpg.96d002a3e3a583089308fe6a1379376d.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411111152_1.thumb.jpg.0cda5e28fa0167a028cb18d87ef3c7b1.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411111241_1.thumb.jpg.14cbd25f94c71a48b8bce49ec69e94db.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411111353_1.thumb.jpg.9b43436c15ddce815eadd1331219ba84.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411111429_1.thumb.jpg.7804413b9e32eaa94ddb107a4caa935f.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411111517_1.thumb.jpg.ec27c6696d8da48abca011b3d539ec54.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411111657_1.thumb.jpg.23f6b2dbc6ed85d2a0d8bba5d1c89abb.jpg + +dependencies: + - supershk:mega-parking-textures + - shk:parking-pack + - peg:spot +variants: +- variant: { driveside: right } + assets: + - assetId: kingofsimcity-sp-modular-parking-base-set-rhd +- variant: { driveside: left } + assets: + - assetId: kingofsimcity-sp-modular-parking-base-set-lhd + +--- +assetId: kingofsimcity-sp-modular-parking-base-set-rhd +version: "1.3" +lastModified: "2016-04-11T19:37:27Z" +url: https://community.simtropolis.com/files/file/30941-kosc-sp-modular-parking-base-set/?do=download&r=161328 + +--- +assetId: kingofsimcity-sp-modular-parking-base-set-lhd +version: "1.3" +lastModified: "2016-04-11T19:37:27Z" +url: https://community.simtropolis.com/files/file/30941-kosc-sp-modular-parking-base-set/?do=download&r=161329 diff --git a/src/yaml/kingofsimcity/sp-modular-parking-diagonal-set.yaml b/src/yaml/kingofsimcity/sp-modular-parking-diagonal-set.yaml new file mode 100644 index 000000000..aab670996 --- /dev/null +++ b/src/yaml/kingofsimcity/sp-modular-parking-diagonal-set.yaml @@ -0,0 +1,53 @@ +group: kingofsimcity +name: sp-modular-parking-diagonal-set +version: "1.2" +subfolder: 700-transit +info: + summary: SP Modular Parking - Diagonal Set + description: | + This is the 1st expansion pack of the SuperParking modular parking series, which is aimed towards creating even more realistic and crazy parking derivatives from the original SHK Parking Pack. This set covers diagonals - largely uncharted territory - by adding a plethora of new parking options for your cities including the ability to create fully-diagonal oriented parking lots. As if that wasn't enough, there's a wealth of different orthogonal transitions and connector pieces to combine with the base set for even more ridiculous combinations. + + The set contains a set of 50 lots. There are 3 functional “parking garage” pieces, with Transit Enabled connections which are located in the Misc Transportation menu, and 47 cosmetic pieces located near the top of the Parks menu. All of the menus are grouped and color coded according to the specific type of parking, including A, B, and Joiner categories. + + General Stats + - Entrances + - Plop Cost: $250 + - Capacity: 1,000 + - Cosmetic Pieces + - Plop Cost: $0 - $6 + + All of the cosmetic pieces are considered “neutral lots”, meaning they have pretty much no stats, come at no maintenance cost, and are not of any particular wealth. The detailing on these lots were kept minimal, as to ensure that MMPs can be used on them liberally. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/30953-kosc-sp-modular-parking-diagonal-set/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2016_04/vol11.thumb.jpg.83e12c21b50aa7fa8ea7810c51963c9d.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/splash.jpg.c4e06a77e6c2650cb0af2d988f79ae50.thumb.jpg.e5305712b37c565446eff36cb1c3b035.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160410234925_1.thumb.jpg.e87ae28907fc2a1dd74b2ec7dc45d99e.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160410192433_1.thumb.jpg.fe7ae4492aa6b65d6f3d7ca1ba5188c8.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160410193218_1.thumb.jpg.528fe52d6b7cfcd3c4b68cd5fdb593a5.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160410193926_1.thumb.jpg.fdd36a6e907f1cbc9d416d69c580d848.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160410194651_1.thumb.jpg.cae5a574c12447dbdae41ff8fc09250d.jpg + +dependencies: + - supershk:mega-parking-textures + - shk:parking-pack + - peg:spot +variants: +- variant: { driveside: right } + assets: + - assetId: kingofsimcity-sp-modular-parking-diagonal-set-rhd +- variant: { driveside: left } + assets: + - assetId: kingofsimcity-sp-modular-parking-diagonal-set-lhd + +--- +assetId: kingofsimcity-sp-modular-parking-diagonal-set-rhd +version: "1.2" +lastModified: "2016-04-11T07:09:38Z" +url: https://community.simtropolis.com/files/file/30953-kosc-sp-modular-parking-diagonal-set/?do=download&r=161306 + +--- +assetId: kingofsimcity-sp-modular-parking-diagonal-set-lhd +version: "1.2" +lastModified: "2016-04-11T07:09:38Z" +url: https://community.simtropolis.com/files/file/30953-kosc-sp-modular-parking-diagonal-set/?do=download&r=161307 diff --git a/src/yaml/kingofsimcity/sp-modular-parking-extension-set.yaml b/src/yaml/kingofsimcity/sp-modular-parking-extension-set.yaml new file mode 100644 index 000000000..8cf43c9cf --- /dev/null +++ b/src/yaml/kingofsimcity/sp-modular-parking-extension-set.yaml @@ -0,0 +1,59 @@ +group: kingofsimcity +name: sp-modular-parking-extension-set +version: "1.0" +subfolder: 700-transit +info: + summary: SP Modular Parking - Extension Set + description: | + This is the 2nd expansion pack of the SuperParking modular parking series, which unlocks even more ridiculous combinations for your parking lots. This set adds some much needed larger basic pieces and covers advanced pathing, S-curves, and more. + + The set contains a set of 44 lots. There are 2 functional “parking garage” pieces, with Transit Enabled connections which are located in the Misc Transportation menu, and 42 cosmetic pieces located near the top of the Parks menu. All of the menus are grouped and color coded according to the specific type of parking, ranging from A to D type. These are broken down in the included readme, which also includes a couple of useful tips for some of the more complex combinations. + + General Stats + - Street Entrance + - Plop Cost: $250 + - Capacity: 1,000 + - Avenue Entrance + - Plop Cost: $500 + - Capacity: 3,000 + - Cosmetic Pieces + - Plop Cost: $0 - $9 + + All of the cosmetic pieces are considered “neutral lots”, meaning they have pretty much no stats, come at no maintenance cost, and are not of any particular wealth. The detailing on these lots were kept minimal, as to ensure that MMPs can be used on them liberally. + author: kingofsimcity + website: https://community.simtropolis.com/files/file/31024-kosc-sp-modular-parking-extension-set/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411164831_1.thumb.jpg.b7f21baac0cfca077234b2b7420c5ee1.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411164809_1.thumb.jpg.36bbcf63f7f8cb6ef78f9b3832a93801.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411165009_1.thumb.jpg.a69f7c5c817ff2c9dd245e34855f3f16.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411165141_1.thumb.jpg.c86f1d2884bf7e02331227efead9a2cd.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411170409_1.thumb.jpg.52375369df0aa58de2e68a1937a55527.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411171306_1.thumb.jpg.d677b679dcd6afde67a717d6b1b98aab.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411171656_1.thumb.jpg.a2045101cf3eca5257c972ec15a94581.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_04/20160411171822_1.thumb.jpg.a575f80d624df3cb389c2d6f92a7b72f.jpg + +dependencies: + - kingofsimcity:sp-modular-parking-base-set + - kingofsimcity:sp-modular-parking-diagonal-set + - supershk:mega-parking-textures + - shk:parking-pack + - peg:spot +variants: +- variant: { driveside: right } + assets: + - assetId: kingofsimcity-sp-modular-parking-extension-set-rhd +- variant: { driveside: left } + assets: + - assetId: kingofsimcity-sp-modular-parking-extension-set-lhd + +--- +assetId: kingofsimcity-sp-modular-parking-extension-set-rhd +version: "1.0" +lastModified: "2016-04-12T02:13:12Z" +url: https://community.simtropolis.com/files/file/31024-kosc-sp-modular-parking-extension-set/?do=download&r=161347 + +--- +assetId: kingofsimcity-sp-modular-parking-extension-set-lhd +version: "1.0" +lastModified: "2016-04-12T02:13:12Z" +url: https://community.simtropolis.com/files/file/31024-kosc-sp-modular-parking-extension-set/?do=download&r=161348 diff --git a/src/yaml/kingofsimcity/superpaths-pathway-textures.yaml b/src/yaml/kingofsimcity/superpaths-pathway-textures.yaml index aa8ec4257..61eb34c77 100644 --- a/src/yaml/kingofsimcity/superpaths-pathway-textures.yaml +++ b/src/yaml/kingofsimcity/superpaths-pathway-textures.yaml @@ -40,7 +40,7 @@ assets: info: summary: "Park pathway overlay textures" - description: > + description: | This set contains a total of 373 overlay textures geared towards dynamic and flowing park paths. In addition to covering standard fare orthogonal pathways, this set deeply explores inter-connectivity with other less utilized pathing options. Diagonals and FA2 pathways are given a chance to shine with an insane amount of options. Couple that with wide radius curves and s-curves and the layout options provided are practically limitless! diff --git a/src/yaml/kodlovag/uniform-street-lighting-mod.yaml b/src/yaml/kodlovag/uniform-street-lighting-mod.yaml index 9d686f296..7725bd8d4 100644 --- a/src/yaml/kodlovag/uniform-street-lighting-mod.yaml +++ b/src/yaml/kodlovag/uniform-street-lighting-mod.yaml @@ -57,7 +57,7 @@ variants: info: summary: "Uniform Street Lighting Mod (USL)" - description: > + description: | USL replaces lamp posts and light cones across many networks. Its goal is to create uniformly lit streets for realistic night scenes. There are six light color variants provided. diff --git a/src/yaml/krio/small-prop-pack.yaml b/src/yaml/krio/small-prop-pack.yaml index 4e9d142e5..eee424b9d 100644 --- a/src/yaml/krio/small-prop-pack.yaml +++ b/src/yaml/krio/small-prop-pack.yaml @@ -5,7 +5,7 @@ subfolder: "100-props-textures" info: summary: "Small streetside props" website: "https://community.simtropolis.com/files/file/28016-krio-small-prop-pack/" - description: > + description: | Includes three kiosks, several lamp posts, few Finnish-style mailboxes and a garbage collector. author: "Krio" images: diff --git a/src/yaml/lowkee33/appalachian-terrain-mod.yaml b/src/yaml/lowkee33/appalachian-terrain-mod.yaml index f6a5440cd..c8b7e7fd1 100644 --- a/src/yaml/lowkee33/appalachian-terrain-mod.yaml +++ b/src/yaml/lowkee33/appalachian-terrain-mod.yaml @@ -16,7 +16,7 @@ dependencies: info: summary: "Appalachian Terrain Mod plus LK Starter Set" conflicts: "Incompatible with all other terrain mods - only one terrain mod may be installed. Compatible with seasonal tree controllers." - description: > + description: | Appalachian Terrain Mod, including optional LK Starter Set beach, cliff, and water textures. Note: this terrain mod provides a variety of terrain controller configurations, @@ -42,7 +42,7 @@ assets: info: summary: "Appalachian Terrain Mod - Terrain Only" conflicts: "Incompatible with all other terrain mods - only one terrain mod may be installed. Compatible with seasonal tree controllers." - description: > + description: | Appalachian Terrain Mod base terrain only. Note: this terrain mod provides a variety of terrain controller configurations, @@ -66,7 +66,7 @@ assets: - "/LK_StarterSet_Beach.dat" info: summary: "LK Starter Set beach textures" - description: > + description: | LK Starter Set beach textures for the Appalachian Terrain Mod. These are HD terrain textures which require the use of hardware rendering mode. @@ -84,7 +84,7 @@ assets: - "/LK_StarterSet_Cliff.dat" info: summary: "LK Starter Set cliff (rock) textures" - description: > + description: | LK Starter Set cliff (rock) textures for the Appalachian Terrain Mod. These are HD terrain textures which require the use of hardware rendering mode. @@ -102,7 +102,7 @@ assets: - "/LK_StarterSet_Water.dat" info: summary: "LK Starter Set water textures" - description: > + description: | LK Starter Set water textures for the Appalachian Terrain Mod. These are HD terrain textures which require the use of hardware rendering mode. diff --git a/src/yaml/lowkee33/seasonal-flora-patch.yaml b/src/yaml/lowkee33/seasonal-flora-patch.yaml index a4f16b980..3fc8f6247 100644 --- a/src/yaml/lowkee33/seasonal-flora-patch.yaml +++ b/src/yaml/lowkee33/seasonal-flora-patch.yaml @@ -17,9 +17,9 @@ assets: info: summary: "A patch required to make seasonal flora work" - description: > + description: | This patch corrects the Maxis Flora Tuning Parameters Exemplar for the use with seasonal tree controllers. - conflicts: >- + conflicts: |- This patch is compatible with the Maxis-default terrain and with terrain mods not including the Flora Tuning Parameters Exemplar (Pyrenean terrain mod and terrain mods coming from the PLEX). diff --git a/src/yaml/madhatter106/coffee-shops-and-greasy-spoons.yaml b/src/yaml/madhatter106/coffee-shops-and-greasy-spoons.yaml index ee7e70e18..e4f387bb8 100644 --- a/src/yaml/madhatter106/coffee-shops-and-greasy-spoons.yaml +++ b/src/yaml/madhatter106/coffee-shops-and-greasy-spoons.yaml @@ -8,7 +8,7 @@ dependencies: - "peg:mtp-super-pack" info: summary: "Set of small coffee shops and restaurants" - description: > + description: | Five different buildings on twelve lots. All are CS$ with jobs ranging from 12 to 16. author: "madhatter106" diff --git a/src/yaml/madhatter106/laundromats-and-drycleaners.yaml b/src/yaml/madhatter106/laundromats-and-drycleaners.yaml index 12d1af753..720b29c8c 100644 --- a/src/yaml/madhatter106/laundromats-and-drycleaners.yaml +++ b/src/yaml/madhatter106/laundromats-and-drycleaners.yaml @@ -6,7 +6,7 @@ assets: - assetId: "madhatter106-laundromats-drycleaners" info: summary: "Set of various laundromats and drycleaners" - description: > + description: | Set of laundromat and drycleaners BATs on 1x1, 1x2, and 1x3 lots. Most are CS$ stage 1 or 2, some are CS$$ stage 1. Jobs range from 8 to 32. diff --git a/src/yaml/madhatter106/liquor-stores.yaml b/src/yaml/madhatter106/liquor-stores.yaml index db0e971a9..fc9de4768 100644 --- a/src/yaml/madhatter106/liquor-stores.yaml +++ b/src/yaml/madhatter106/liquor-stores.yaml @@ -6,7 +6,7 @@ assets: - assetId: "madhatter106-liquor-stores" info: summary: "Set of various liquor stores" - description: > + description: | Ten different liquor store buildings on 25 total lots. Lot sizes include 1x1, 1x2, 1x3 and 2x1. Jobs range from 11-30. The majority are CS$ stages 1 through 3, three are CS$$ stage 1. diff --git a/src/yaml/madhatter106/low-wealth-commercial-shops.yaml b/src/yaml/madhatter106/low-wealth-commercial-shops.yaml index 4ccd9c2e4..9eb82cbab 100644 --- a/src/yaml/madhatter106/low-wealth-commercial-shops.yaml +++ b/src/yaml/madhatter106/low-wealth-commercial-shops.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "Full collection of madhatter106's Low Wealth Commercial Shops, Volumes 1-4" - description: > + description: | Collection of four sets of low density, low wealth commercial (CS$) shops. Lot sizes are small, mainly 1x1, 1x2, and 1x3. These BATs blend well with Maxis assets and have minimal dependencies. @@ -29,7 +29,7 @@ dependencies: info: summary: "Low Wealth Commercial Shops Volume 1" - description: > + description: | This set contains 22 Maxis-esque low wealth commercial services (CS$) lots. The majority of these are on 1x1, 1x2, and 1x3 lots - with anywhere from 8 to 22 jobs, and growth stages 1 through 3. These BATs have nightlights. @@ -55,7 +55,7 @@ assets: info: summary: "Low Wealth Commercial Shops Volume 2" - description: > + description: | This set contains 24 Maxis-esque low wealth commercial services (CS$) lots. The majority of these are on 1x1, 1x2, and 1x3 lots - with anywhere from 8 to 24 jobs, and growth stages 1 through 3. These BATs have nightlights. @@ -84,7 +84,7 @@ dependencies: info: summary: "Low Wealth Commercial Shops Volume 3" - description: > + description: | This set contains 19 Maxis-esque low wealth commercial services (CS$) lots. Lot sizes include 1x1, 1x2, and 2x1 with anywhere from 8 to 24 jobs, and growth stages 1 and 2. These BATs have nightlights. @@ -112,7 +112,7 @@ dependencies: info: summary: "Low Wealth Commercial Shops Volume 4" - description: > + description: | This set contains 19 Maxis-esque low wealth commercial services (CS$) lots. Lot sizes include 1x1 and 1x2 with anywhere from 8 to 18 jobs. These BATs have nightlights. diff --git a/src/yaml/madhatter106/medium-wealth-commercial-shops.yaml b/src/yaml/madhatter106/medium-wealth-commercial-shops.yaml index b8b597454..231ae7bcf 100644 --- a/src/yaml/madhatter106/medium-wealth-commercial-shops.yaml +++ b/src/yaml/madhatter106/medium-wealth-commercial-shops.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Both of madhatter106's Medium Wealth Commercial Shops sets." - description: > + description: | Two sets of medium wealth commercial shops (CS$$) that mesh well with Maxis assets. author: "madhatter106" website: "https://community.simtropolis.com/profile/207209-madhatter106/content/?type=downloads_file" @@ -23,7 +23,7 @@ assets: dependencies: [] info: summary: "Twelve CS$$ Maxis-esque commercial shops on 1x1, 1x2 or 1x3 lots." - description: > + description: | These are 1x1 and 1x2 BATs and are mostly on those sized lots (with a few 1x3 sprinkled in). Stats have been modded mostly in keeping with prior uploads, and all are medium wealth stage 1 growable with nightlights and custom queries as well. @@ -51,7 +51,7 @@ assets: info: summary: "Ten multi-story 1x1 CS$$ Maxis-esque commercial shops." - description: > + description: | Ten different buildings with multiple lots - these buildngs are all 1x1 multi-storeys, similar in size to original Maxis offerings like King Design and Tinkler's, Inc. All have standard stats and configurations, and all are tricked out with nightlighting to boot. diff --git a/src/yaml/madhatter106/midrise-office-pack.yaml b/src/yaml/madhatter106/midrise-office-pack.yaml index db172e527..9cacf78e2 100644 --- a/src/yaml/madhatter106/midrise-office-pack.yaml +++ b/src/yaml/madhatter106/midrise-office-pack.yaml @@ -16,7 +16,7 @@ dependencies: info: summary: "Full collection of madhatter106's Midrise Office Packs, Volumes 1-10" - description: > + description: | A classic and long-running series of midrise commercial office packs with an emphasis on complementing existing Maxis commercial buildings. The pack relies only on Maxis assets for lotting and thus requires no dependencies. diff --git a/src/yaml/madhatter106/small-office-pack.yaml b/src/yaml/madhatter106/small-office-pack.yaml index a115f0243..bc5913529 100644 --- a/src/yaml/madhatter106/small-office-pack.yaml +++ b/src/yaml/madhatter106/small-office-pack.yaml @@ -6,7 +6,7 @@ assets: - assetId: "madhatter106-small-office-pack" info: summary: "Set of small, Maxis-esque medium wealth (CO$$) offices" - description: > + description: | Specifically designed to compete with 'Simpson, Inc.', an early stage Maxis building. All buildings provide 20 jobs, and grow on 1x2, 2x1, and 2x2 lots. These BATs have nightlights. diff --git a/src/yaml/manchou/village-pack-vol03.yaml b/src/yaml/manchou/village-pack-vol03.yaml new file mode 100644 index 000000000..7dbf87a1f --- /dev/null +++ b/src/yaml/manchou/village-pack-vol03.yaml @@ -0,0 +1,38 @@ +group: manchou +name: village-pack-vol03-props +version: "1" +subfolder: 100-props-textures +assets: + - assetId: manchou-pack-village-vol03 + exclude: + - \.SC4Lot$ +info: + summary: "Agricultural building models" + author: "manchou" + website: "https://www.toutsimcities.com/downloads/view/1602" + images: + - https://www.toutsimcities.com/img/downloads/image_1602.jpg + +--- +group: manchou +name: village-pack-vol03 +version: "1" +subfolder: 200-residential +dependencies: + - manchou:village-pack-vol03-props +assets: + - assetId: manchou-pack-village-vol03 + include: + - \.SC4Lot$ +info: + summary: "Agricultural residential lots" + author: "manchou" + website: "https://www.toutsimcities.com/downloads/view/1602" + images: + - https://www.toutsimcities.com/img/downloads/image_1602.jpg + +--- +assetId: manchou-pack-village-vol03 +version: "1" +lastModified: "2009-10-13T12:00:00Z" +url: "https://www.toutsimcities.com/downloads/start/1602" diff --git a/src/yaml/mandelsoft/light-replacement-mod.yaml b/src/yaml/mandelsoft/light-replacement-mod.yaml index 868c5b234..5a9d61dda 100644 --- a/src/yaml/mandelsoft/light-replacement-mod.yaml +++ b/src/yaml/mandelsoft/light-replacement-mod.yaml @@ -57,7 +57,7 @@ variants: info: summary: "Streetlight models and props of LRM v4.0" - description: > + description: | This is a dependency pack consisting of the props of the Light Replacement Mod v4.0 (LRM). It is not the LRM itself and thus does not override any Maxis streetlights. author: "MandelSoft/MRTNRLN" diff --git a/src/yaml/marrast/embankment-set.yaml b/src/yaml/marrast/embankment-set.yaml index 4fd82877f..32adab107 100644 --- a/src/yaml/marrast/embankment-set.yaml +++ b/src/yaml/marrast/embankment-set.yaml @@ -4,7 +4,7 @@ version: "1.0" subfolder: 660-parks info: summary: Marrast's Embankment Set - description: > + description: | An embankment set that can be used to create lifelike embankments along your shorelines or river edges in the game. Can be found in the seaports menu. author: Marrast diff --git a/src/yaml/mas71/mega-prop-pack.yaml b/src/yaml/mas71/mega-prop-pack.yaml index 4e71c06b3..f9d3248fe 100644 --- a/src/yaml/mas71/mega-prop-pack.yaml +++ b/src/yaml/mas71/mega-prop-pack.yaml @@ -6,7 +6,7 @@ assets: - assetId: "mas71-mega-prop-pack-vol01-misc" info: summary: "Repackaged version of MAS71 prop packs" - description: > + description: | Also known as MAS71 Mega Prop Pack vol01 - Misc. Includes in particular MAS71 Prop Pack Vol. 01, MAS71 Prop Pack Vol. 03 as well as many others. author: "Mas71" diff --git a/src/yaml/mattb325/civic/education/17th-st-washington-dc.yaml b/src/yaml/mattb325/civic/education/17th-st-washington-dc.yaml index b46639583..9dd7ba7c3 100644 --- a/src/yaml/mattb325/civic/education/17th-st-washington-dc.yaml +++ b/src/yaml/mattb325/civic/education/17th-st-washington-dc.yaml @@ -7,7 +7,7 @@ dependencies: info: summary: "17th St, Washington DC (college)" - description: > + description: | This is an eye-catching modern midrise building that definitely helps break the grid when it grows. It has upper roof gardens (both as open terraces and semi-enclosed spaces (the areas under the metal lattice-work at either @@ -53,7 +53,7 @@ variants: # info: # summary: "17th St, Washington DC (growable)" -# description: > +# description: | # This is an eye-catching modern midrise building that definitely helps break # the grid when it grows. It has upper roof gardens (both as open terraces # and semi-enclosed spaces (the areas under the metal lattice-work at either diff --git a/src/yaml/mattb325/civic/education/bass-hall-opera-house.yaml b/src/yaml/mattb325/civic/education/bass-hall-opera-house.yaml index afd7e9e46..d34f62bec 100644 --- a/src/yaml/mattb325/civic/education/bass-hall-opera-house.yaml +++ b/src/yaml/mattb325/civic/education/bass-hall-opera-house.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Bass Hall Opera House" - description: > + description: | The Bass Performance Hall is in Fort Worth Texas. It seats 2,056 people. Built as a multi-purpose facility, the Hall is able to house symphony, ballet, opera, stage, musicals, and rock concerts. The building is diff --git a/src/yaml/mattb325/civic/education/bourke-st-public-school.yaml b/src/yaml/mattb325/civic/education/bourke-st-public-school.yaml index 2f98c96ee..d525a8fb8 100644 --- a/src/yaml/mattb325/civic/education/bourke-st-public-school.yaml +++ b/src/yaml/mattb325/civic/education/bourke-st-public-school.yaml @@ -14,7 +14,7 @@ assets: info: summary: "Bourke St Public School" - description: > + description: | This BAT is loosely based on a real school in Bourke Street Surry Hills and acts a combined older style elementary and high school with an expanded school coverage radius. It is modelled in the Italianate Palace Style. diff --git a/src/yaml/mattb325/civic/education/city-college.yaml b/src/yaml/mattb325/civic/education/city-college.yaml index cb5cff4dd..168799573 100644 --- a/src/yaml/mattb325/civic/education/city-college.yaml +++ b/src/yaml/mattb325/civic/education/city-college.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "City College" - description: > + description: | This BAT is based on an Adult Education College on Sydney's North Shore. It is a new build, but is designed to look 'Olde Worlde' and as such is quite a mish-mash of styles. @@ -49,7 +49,7 @@ variants: # info: # summary: "City College (growable)" -# description: > +# description: | # This BAT is based on an Adult Education College on Sydney's North Shore. # It is a new build, but is designed to look 'Olde Worlde' and as such is # quite a mish-mash of styles. diff --git a/src/yaml/mattb325/civic/education/diagonal-junior-and-senior-school.yaml b/src/yaml/mattb325/civic/education/diagonal-junior-and-senior-school.yaml index 700d092f8..d4e147964 100644 --- a/src/yaml/mattb325/civic/education/diagonal-junior-and-senior-school.yaml +++ b/src/yaml/mattb325/civic/education/diagonal-junior-and-senior-school.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Diagonal Junior and Senior School" - description: > + description: | 19th Century school building suitable for diagonal roads and avenues. As with so many schools in real life, this school building contains both Junior (K-6) and Senior (High School) functions. It can educate up to 2,500 diff --git a/src/yaml/mattb325/civic/education/diagonal-library.yaml b/src/yaml/mattb325/civic/education/diagonal-library.yaml index 4aef8a1d9..02c7c33f0 100644 --- a/src/yaml/mattb325/civic/education/diagonal-library.yaml +++ b/src/yaml/mattb325/civic/education/diagonal-library.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Diagonal Georgian Style Library" - description: > + description: | A simple Georgian style library that is designed to place along diagonal roads. This 1x1 lot is found in the education menu. It provides 42 civic jobs, holds 50,000 books and provides an EQ boost to all age groups. diff --git a/src/yaml/mattb325/civic/education/eddy-hall.yaml b/src/yaml/mattb325/civic/education/eddy-hall.yaml index 143f95b54..70ef7f833 100644 --- a/src/yaml/mattb325/civic/education/eddy-hall.yaml +++ b/src/yaml/mattb325/civic/education/eddy-hall.yaml @@ -11,7 +11,7 @@ dependencies: info: summary: "Eddy Hall, Minnesota" - description: > + description: | Inspired by the real Eddy Hall, constructed in 1886 as the Mechanic Arts Building for the University of Minnesota. The actual building is a simplified Queen Anne style executed in red-brick and red sandstone trim. The square diff --git a/src/yaml/mattb325/civic/education/engineering-department.yaml b/src/yaml/mattb325/civic/education/engineering-department.yaml index 7bb828e9e..a096ded3c 100644 --- a/src/yaml/mattb325/civic/education/engineering-department.yaml +++ b/src/yaml/mattb325/civic/education/engineering-department.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Engineering Department" - description: > + description: | A simple, fictional mid-century BAT modded as a college reward. This is the orthogonal version. author: "mattb325" @@ -36,7 +36,7 @@ dependencies: [] info: summary: "Engineering Department (diagonal)" - description: > + description: | A simple, fictional mid-century BAT modded as a college reward. This is the diagonal version. author: "mattb325" diff --git a/src/yaml/mattb325/civic/education/geisel-suess-library.yaml b/src/yaml/mattb325/civic/education/geisel-suess-library.yaml index e043bcb6f..4d92a54b0 100644 --- a/src/yaml/mattb325/civic/education/geisel-suess-library.yaml +++ b/src/yaml/mattb325/civic/education/geisel-suess-library.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "Geisel Suess Library, San Diego" - description: > + description: | This futuristic brutalist building that looks part space-invader, part minecraft creation, is the main library building of the University of California San Diego. The design draws inspiration from hands holding diff --git a/src/yaml/mattb325/civic/education/georgian-library-with-modern-extension.yaml b/src/yaml/mattb325/civic/education/georgian-library-with-modern-extension.yaml index e0a95c09f..0669a8f41 100644 --- a/src/yaml/mattb325/civic/education/georgian-library-with-modern-extension.yaml +++ b/src/yaml/mattb325/civic/education/georgian-library-with-modern-extension.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Georgian Library with Modern Extension" - description: > + description: | The simple Georgian style library that was released for diagonal roads has been given a modern an ultra modern extension at the rear of the building. diff --git a/src/yaml/mattb325/civic/education/museum-of-modern-art-san-francisco.yaml b/src/yaml/mattb325/civic/education/museum-of-modern-art-san-francisco.yaml index 95db2ff46..33feb616b 100644 --- a/src/yaml/mattb325/civic/education/museum-of-modern-art-san-francisco.yaml +++ b/src/yaml/mattb325/civic/education/museum-of-modern-art-san-francisco.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Museum of Modern Art, San Francisico" - description: > + description: | The Museum of Modern Art (MOMA), San Francisco is a non-profit organisation and holds an internationally recognised collection of modern and contemporary art, and was the first museum on the US West Coast devoted solely to 20th diff --git a/src/yaml/mattb325/civic/education/national-geographic-society-headquarters.yaml b/src/yaml/mattb325/civic/education/national-geographic-society-headquarters.yaml index ec6943fad..37e701ae0 100644 --- a/src/yaml/mattb325/civic/education/national-geographic-society-headquarters.yaml +++ b/src/yaml/mattb325/civic/education/national-geographic-society-headquarters.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "National Geographic Society Headquarters (museum)" - description: > + description: | The National Geographic Society Headquarters was built in 1963 in the what is known as the new formalist style. It is made of concrete, marble and glass and conveys a uniform and symmetrical appearance; the marble columns @@ -51,7 +51,7 @@ variants: # info: # summary: "National Geographic Society Headquarters (growable)" -# description: > +# description: | # The National Geographic Society Headquarters was built in 1963 in the what # is known as the new formalist style. It is made of concrete, marble and # glass and conveys a uniform and symmetrical appearance; the marble columns diff --git a/src/yaml/mattb325/civic/education/sao-paulo-art-museum.yaml b/src/yaml/mattb325/civic/education/sao-paulo-art-museum.yaml index 2c1233930..4ae8252ff 100644 --- a/src/yaml/mattb325/civic/education/sao-paulo-art-museum.yaml +++ b/src/yaml/mattb325/civic/education/sao-paulo-art-museum.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Sao Paulo Art Museum" - description: > + description: | This is a recreation of the Museu de Arte de São Paulo on Paulista Avenue. It was built in 1968 and is an eye catching steel, concrete and glass structure which is supported by two red lateral reinforced concrete beams diff --git a/src/yaml/mattb325/civic/education/southern-poverty-law-center.yaml b/src/yaml/mattb325/civic/education/southern-poverty-law-center.yaml index 387e809ce..23daabfe9 100644 --- a/src/yaml/mattb325/civic/education/southern-poverty-law-center.yaml +++ b/src/yaml/mattb325/civic/education/southern-poverty-law-center.yaml @@ -7,7 +7,7 @@ dependencies: info: summary: "Southern Poverty Law Center" - description: > + description: | The Southern Poverty Law Center (SPLC) is a legal advocacy organisation that specialises in civil rights: it monitors hate group activity, champions voter rights, criminal justice reform, etc. diff --git a/src/yaml/mattb325/civic/education/spitalfields-house-diagonal-college.yaml b/src/yaml/mattb325/civic/education/spitalfields-house-diagonal-college.yaml index 2642b8363..ed2cfdf99 100644 --- a/src/yaml/mattb325/civic/education/spitalfields-house-diagonal-college.yaml +++ b/src/yaml/mattb325/civic/education/spitalfields-house-diagonal-college.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Spitalfields House Diagonal College" - description: > + description: | This BAT is based on an old brutalist building from the 1960s in London's spitalfields and has been designed to be placed along diagonal roads. The lot size is 1x2 but the building overhangs across 6 tiles. diff --git a/src/yaml/mattb325/civic/education/sunken-library.yaml b/src/yaml/mattb325/civic/education/sunken-library.yaml index 300a4f3e0..3814747d0 100644 --- a/src/yaml/mattb325/civic/education/sunken-library.yaml +++ b/src/yaml/mattb325/civic/education/sunken-library.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "A unique, sunken library" - description: > + description: | This sunken library is a fictional creation which fits in with sunken plazas by this author. On a 4x4 lot, descending a large staircase, sims arrive at a sun-filled public diff --git a/src/yaml/mattb325/civic/education/urban-school.yaml b/src/yaml/mattb325/civic/education/urban-school.yaml index 3ca690195..47d703e9b 100644 --- a/src/yaml/mattb325/civic/education/urban-school.yaml +++ b/src/yaml/mattb325/civic/education/urban-school.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Urban School" - description: > + description: | This is a large school which combines junior, senior, and adult education under one roof. diff --git a/src/yaml/mattb325/civic/government/bureau-of-bureaucracy.yaml b/src/yaml/mattb325/civic/government/bureau-of-bureaucracy.yaml index 7c5719f03..b6b4cdf9d 100644 --- a/src/yaml/mattb325/civic/government/bureau-of-bureaucracy.yaml +++ b/src/yaml/mattb325/civic/government/bureau-of-bureaucracy.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "Bureau of Bureaucracy" - description: > + description: | This alternate Bureau of Bureaucracy reward is based on a real building in the US city Texarkana. It is an example of the Beaux Arts style, which was popular for government buildings in the late 1920s and early 1930s, as its diff --git a/src/yaml/mattb325/civic/government/council-chambers-and-civic-center.yaml b/src/yaml/mattb325/civic/government/council-chambers-and-civic-center.yaml index 058bc8c81..d521bfbb0 100644 --- a/src/yaml/mattb325/civic/government/council-chambers-and-civic-center.yaml +++ b/src/yaml/mattb325/civic/government/council-chambers-and-civic-center.yaml @@ -11,7 +11,7 @@ dependencies: info: summary: "Bankstown Council Chambers and Civic Center" - description: > + description: | This is a campus-style council chambers and civic center building. This is a modified model based on the auditorium, council offices and tourist information kiosk of a similarly scaled complex in suburban Sydney. diff --git a/src/yaml/mattb325/civic/government/courthouse.yaml b/src/yaml/mattb325/civic/government/courthouse.yaml index 1336963c5..8cb42cf42 100644 --- a/src/yaml/mattb325/civic/government/courthouse.yaml +++ b/src/yaml/mattb325/civic/government/courthouse.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "Courthouse" - description: > + description: | A fictional courthouse executed in brick, slate and stone, suitable for towns and suburban streets. diff --git a/src/yaml/mattb325/civic/government/diagonal-courthouse.yaml b/src/yaml/mattb325/civic/government/diagonal-courthouse.yaml index b6995c52a..653efcbcb 100644 --- a/src/yaml/mattb325/civic/government/diagonal-courthouse.yaml +++ b/src/yaml/mattb325/civic/government/diagonal-courthouse.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Diagonal Courthouse" - description: > + description: | This is a purely fictional larger style courthouse that is aligned to diagonal roads and avenues. This building is designed to bolster policing efficiency: it also provides cap relief for R$$, R$$ and CO$$. diff --git a/src/yaml/mattb325/civic/government/diagonal-town-hall.yaml b/src/yaml/mattb325/civic/government/diagonal-town-hall.yaml index 72a5f8398..35d75206a 100644 --- a/src/yaml/mattb325/civic/government/diagonal-town-hall.yaml +++ b/src/yaml/mattb325/civic/government/diagonal-town-hall.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Diagonal Town Hall" - description: > + description: | This BAT is based on the National Audit Office in London. The original building was actually an airport terminal. The building has been designed to be placed along diagonal roads. The lot size is 1x2 but the building diff --git a/src/yaml/mattb325/civic/government/karlsruhe-courthouse.yaml b/src/yaml/mattb325/civic/government/karlsruhe-courthouse.yaml index 4d45a28ee..fd54d4861 100644 --- a/src/yaml/mattb325/civic/government/karlsruhe-courthouse.yaml +++ b/src/yaml/mattb325/civic/government/karlsruhe-courthouse.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "Karlsruhe Courthouse" - description: > + description: | The district attorney's office in Karlsruhe is presented in SC4 as a functional courthouse. diff --git a/src/yaml/mattb325/civic/government/meeting-hall.yaml b/src/yaml/mattb325/civic/government/meeting-hall.yaml index 02afa998f..040872ba9 100644 --- a/src/yaml/mattb325/civic/government/meeting-hall.yaml +++ b/src/yaml/mattb325/civic/government/meeting-hall.yaml @@ -7,7 +7,7 @@ dependencies: info: summary: "An old style meeting hall for your cities and towns." - description: > + description: | In many smaller towns and larger cities, meeting halls often took the place of the Town Hall. They were an important part of civic life, and while many had a quasi-religous purpose, many were purely non-sectarian. diff --git a/src/yaml/mattb325/civic/government/modern-bureau-of-bureaucracy.yaml b/src/yaml/mattb325/civic/government/modern-bureau-of-bureaucracy.yaml index 75aa6f34d..dac518a00 100644 --- a/src/yaml/mattb325/civic/government/modern-bureau-of-bureaucracy.yaml +++ b/src/yaml/mattb325/civic/government/modern-bureau-of-bureaucracy.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "Modern Bureau of Bureaucracy" - description: > + description: | This modern Bureau of Bureaucracy is a fictional government building reached by a distinctive semi-circular sunken staircase. The design of the building is intended to be austere and intimidating. The building gouges through the diff --git a/src/yaml/mattb325/civic/government/old-delaware-county-courthouse.yaml b/src/yaml/mattb325/civic/government/old-delaware-county-courthouse.yaml index 64e1de69e..85c0824a5 100644 --- a/src/yaml/mattb325/civic/government/old-delaware-county-courthouse.yaml +++ b/src/yaml/mattb325/civic/government/old-delaware-county-courthouse.yaml @@ -11,7 +11,7 @@ dependencies: info: summary: "Old Delaware County Courthouse" - description: > + description: | This building draws its inspiration from historic photos and drawings of the Delaware County Courthouse that once stood in Muncie, Indiana. diff --git a/src/yaml/mattb325/civic/government/old-orlando-city-hall.yaml b/src/yaml/mattb325/civic/government/old-orlando-city-hall.yaml index 03ffecdef..d6ec74bd1 100644 --- a/src/yaml/mattb325/civic/government/old-orlando-city-hall.yaml +++ b/src/yaml/mattb325/civic/government/old-orlando-city-hall.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "Old Orlando City Hall" - description: > + description: | This 8-floor building with two asymmetrical balanced lower wings is typical of many mid-century public American buildings. They were solidly built with quality materials: limestone, marble and pink granite. diff --git a/src/yaml/mattb325/civic/government/perth-council-building.yaml b/src/yaml/mattb325/civic/government/perth-council-building.yaml index 93374b2ba..5d04f8bbb 100644 --- a/src/yaml/mattb325/civic/government/perth-council-building.yaml +++ b/src/yaml/mattb325/civic/government/perth-council-building.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Convention Center" - description: > + description: | This is an iconic early 1960's building inspired by the Council Building in Perth's Stirling Gardens. This is an example of the modernist style with Bauhaus leanings, and has distinctive external 'T' shaped sun-shades in diff --git a/src/yaml/mattb325/civic/government/sioux-falls-city-hall.yaml b/src/yaml/mattb325/civic/government/sioux-falls-city-hall.yaml index 9b654a05b..e92de1aa1 100644 --- a/src/yaml/mattb325/civic/government/sioux-falls-city-hall.yaml +++ b/src/yaml/mattb325/civic/government/sioux-falls-city-hall.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Sioux Falls City Hall" - description: > + description: | Non-conditional Town Hall reward based on the Sioux Falls City Hall. It is constructed in the streamline moderne (a successor to art-deco) style with a brick and granite facade. diff --git a/src/yaml/mattb325/civic/government/the-lodge-canberra.yaml b/src/yaml/mattb325/civic/government/the-lodge-canberra.yaml index 7c88e6b12..64da5febe 100644 --- a/src/yaml/mattb325/civic/government/the-lodge-canberra.yaml +++ b/src/yaml/mattb325/civic/government/the-lodge-canberra.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "The Lodge, Canberra" - description: > + description: | The Lodge is the official Canberra residence of the Australian Prime Minister. The building was constructed in 1927 in the Australian Georgian Revival Style. This a 6x6 reward lot which acts like the Mayor's House. It will not override diff --git a/src/yaml/mattb325/civic/government/vandamm-house.yaml b/src/yaml/mattb325/civic/government/vandamm-house.yaml index 587593188..be92427fc 100644 --- a/src/yaml/mattb325/civic/government/vandamm-house.yaml +++ b/src/yaml/mattb325/civic/government/vandamm-house.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Vandamm House" - description: > + description: | From the 1959 Alfred Hitchcock classic, North by Northwest, comes the fictional Vandamm House. It is so called, as it is the movie villain's (Phillip Vandamm) lair on the top of Mount Rushmore. diff --git a/src/yaml/mattb325/civic/health/clinic.yaml b/src/yaml/mattb325/civic/health/clinic.yaml index c50fc097e..3067b8494 100644 --- a/src/yaml/mattb325/civic/health/clinic.yaml +++ b/src/yaml/mattb325/civic/health/clinic.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Small European medical clinic" - description: > + description: | Inspired by a little clinic in Southern Europe, this is a smaller medical facility for towns or to supplement larger hospital care. The lot comes as a ploppable Clinic, which is found in the Health Menu and diff --git a/src/yaml/mattb325/civic/health/dental-clinic.yaml b/src/yaml/mattb325/civic/health/dental-clinic.yaml index d5f48c7f3..774acfe57 100644 --- a/src/yaml/mattb325/civic/health/dental-clinic.yaml +++ b/src/yaml/mattb325/civic/health/dental-clinic.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Dental Clinic" - description: > + description: | This little building is inspired by a real such mid-century low rise building near downtown Los Angeles. In game, this supplements the main hospital function and the capacities have been modded to sit mid way between the clinic diff --git a/src/yaml/mattb325/civic/health/diagonal-hospital.yaml b/src/yaml/mattb325/civic/health/diagonal-hospital.yaml index 55a68a6a5..788b38a6b 100644 --- a/src/yaml/mattb325/civic/health/diagonal-hospital.yaml +++ b/src/yaml/mattb325/civic/health/diagonal-hospital.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "A modern diagonal hospital" - description: > + description: | This is a purely fictional larger style hospital that is aligned to diagonal roads as an overhanging building. It has a patient capacity of 20,000 and provides 245 civic jobs. It is located in the health menu. diff --git a/src/yaml/mattb325/civic/health/harbor-clinic.yaml b/src/yaml/mattb325/civic/health/harbor-clinic.yaml index b41d54f78..6104df9d2 100644 --- a/src/yaml/mattb325/civic/health/harbor-clinic.yaml +++ b/src/yaml/mattb325/civic/health/harbor-clinic.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Harbor Clinic" - description: > + description: | Inspired by a rather imposing mid-century building on Wilshire Blvd, Los Angeles, Harbor Clinic operates as a large hospital in game. diff --git a/src/yaml/mattb325/civic/health/james-park-house.yaml b/src/yaml/mattb325/civic/health/james-park-house.yaml index f1914cca9..17bb05113 100644 --- a/src/yaml/mattb325/civic/health/james-park-house.yaml +++ b/src/yaml/mattb325/civic/health/james-park-house.yaml @@ -11,7 +11,7 @@ dependencies: info: summary: "James Park House" - description: > + description: | Listed on the US National Register of Historic Places since 1972, the house was built by merchant and Knoxville Mayor James Park in 1812, making it the second-oldest building in downtown Knoxville. diff --git a/src/yaml/mattb325/civic/health/large-modern-hospital.yaml b/src/yaml/mattb325/civic/health/large-modern-hospital.yaml index e097d3aa0..4a461fdea 100644 --- a/src/yaml/mattb325/civic/health/large-modern-hospital.yaml +++ b/src/yaml/mattb325/civic/health/large-modern-hospital.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Large Modern Hospital" - description: > + description: | This is a purely fictional larger style hospital. This building houses an emergency department, surgery, pathology, outpatient and other clinical facilities typically associated with purpose built hospitals. diff --git a/src/yaml/mattb325/civic/health/union-club-clinic.yaml b/src/yaml/mattb325/civic/health/union-club-clinic.yaml index b0d154015..64d3cb284 100644 --- a/src/yaml/mattb325/civic/health/union-club-clinic.yaml +++ b/src/yaml/mattb325/civic/health/union-club-clinic.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "The Union Club Clinic" - description: > + description: | Georgian style sandstone building which serves as a small medical clinic. The building sits on 3x1 lot and is useful to fill in awkward zoning gaps. diff --git a/src/yaml/mattb325/civic/miscellaneous/benevolent-asylum.yaml b/src/yaml/mattb325/civic/miscellaneous/benevolent-asylum.yaml index 06d13261e..99cf552de 100644 --- a/src/yaml/mattb325/civic/miscellaneous/benevolent-asylum.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/benevolent-asylum.yaml @@ -14,7 +14,7 @@ dependencies: info: summary: "Benevolent Asylum" - description: > + description: | A fictional benevolent-asylum executed in brick, slate and stone, suitable for towns and suburban streets. diff --git a/src/yaml/mattb325/civic/miscellaneous/casino.yaml b/src/yaml/mattb325/civic/miscellaneous/casino.yaml index e8fa6fecb..3fdc9838e 100644 --- a/src/yaml/mattb325/civic/miscellaneous/casino.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/casino.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Casino" - description: > + description: | This casino is completely fictional and is modded such that it is a little less offensive to surrounding areas when placed (both visually and in terms of its modding) than the default casino. At nine stories high, it is diff --git a/src/yaml/mattb325/civic/miscellaneous/cbs-columbia-square-tv-station.yaml b/src/yaml/mattb325/civic/miscellaneous/cbs-columbia-square-tv-station.yaml index 4d9556e2c..c506bd048 100644 --- a/src/yaml/mattb325/civic/miscellaneous/cbs-columbia-square-tv-station.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/cbs-columbia-square-tv-station.yaml @@ -7,7 +7,7 @@ dependencies: info: summary: "CBS Columbia Square Television Station" - description: > + description: | In 1938, Columbia Square was built for Columbia Broadcasting System (CBS) on the site of the Nestor Film Company, Hollywood's first movie studio, at 6121 Sunset Boulevard. This building is an example of International diff --git a/src/yaml/mattb325/civic/miscellaneous/community-center.yaml b/src/yaml/mattb325/civic/miscellaneous/community-center.yaml index 832386845..792d149d1 100644 --- a/src/yaml/mattb325/civic/miscellaneous/community-center.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/community-center.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "Community Center" - description: > + description: | Community center based on a real building in Westchester County, NY. Designed to tie in with KOSC's park series, the building sits on a 5x4 lot, provides 155 civic jobs, provides cap relief, and increases desirability. diff --git a/src/yaml/mattb325/civic/miscellaneous/community-hall.yaml b/src/yaml/mattb325/civic/miscellaneous/community-hall.yaml index 98b4ab4e3..d4a51982b 100644 --- a/src/yaml/mattb325/civic/miscellaneous/community-hall.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/community-hall.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "Community hall based on the Ballhaus Ost in Berlin" - description: > + description: | Made as a request, this building is based on the Ballhaus Ost in Berlin. Originally a mourning hall, it has since been converted to a community space and theatre. diff --git a/src/yaml/mattb325/civic/miscellaneous/convention-center.yaml b/src/yaml/mattb325/civic/miscellaneous/convention-center.yaml index 1ba010c83..018f61537 100644 --- a/src/yaml/mattb325/civic/miscellaneous/convention-center.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/convention-center.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Convention Center" - description: > + description: | Though fictional, this building is inspired by some of the modern architecture of China which shows an amazing combination of self-assuredness, ebullience and seemingly gravity-defying engineering. Sitting on a 6x6 lot, diff --git a/src/yaml/mattb325/civic/miscellaneous/customs-house.yaml b/src/yaml/mattb325/civic/miscellaneous/customs-house.yaml index 875afc680..eec776654 100644 --- a/src/yaml/mattb325/civic/miscellaneous/customs-house.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/customs-house.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "Customs House" - description: > + description: | This particular Customs House is inspired by the one that has stood in Salem, Massachusetts since 1819 (it is not an exact replica). The basement at the rear of the building is used for impounding goods. diff --git a/src/yaml/mattb325/civic/miscellaneous/disease-research-center.yaml b/src/yaml/mattb325/civic/miscellaneous/disease-research-center.yaml index 9bc515769..b49fa127d 100644 --- a/src/yaml/mattb325/civic/miscellaneous/disease-research-center.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/disease-research-center.yaml @@ -18,7 +18,7 @@ dependencies: info: summary: "Alternate Disearch Research Center (radiation free!)" - description: > + description: | This requirement-free civic reward is offered as an alternative to the default disease research center. It is modded reasonably similarly to the in-game version, but does not emit radiation. This mod does not override the Maxis version, both may co-exist. diff --git a/src/yaml/mattb325/civic/miscellaneous/essex-county-recreation-center.yaml b/src/yaml/mattb325/civic/miscellaneous/essex-county-recreation-center.yaml index 88ea86094..2e56619c8 100644 --- a/src/yaml/mattb325/civic/miscellaneous/essex-county-recreation-center.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/essex-county-recreation-center.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "Essex County Recreation Center" - description: > + description: | This large building is based on a real arena in Essex County, New Jersey. It houses an ice-hockey and ice-skating arena with two NHL-sized rinks. It is lotted in such a way that it will blend in with KOSCs park series, diff --git a/src/yaml/mattb325/civic/miscellaneous/galaxy-casino-hotel.yaml b/src/yaml/mattb325/civic/miscellaneous/galaxy-casino-hotel.yaml index de65310b2..02f8cc680 100644 --- a/src/yaml/mattb325/civic/miscellaneous/galaxy-casino-hotel.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/galaxy-casino-hotel.yaml @@ -7,7 +7,7 @@ dependencies: info: summary: "Galaxy Casino & Hotel" - description: > + description: | Sleek, modern, high-rise casino reward. It has less severe side-effects than the default casino, (it won't cause a city-wide spike in crime or drop in mayor rating) but it still discourages nearby R$$$ development. diff --git a/src/yaml/mattb325/civic/miscellaneous/griffith-observatory.yaml b/src/yaml/mattb325/civic/miscellaneous/griffith-observatory.yaml index 503884252..f65c37f54 100644 --- a/src/yaml/mattb325/civic/miscellaneous/griffith-observatory.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/griffith-observatory.yaml @@ -7,7 +7,7 @@ dependencies: info: summary: "Griffith Observatory" - description: > + description: | The Griffith Observatory and Planetarium opened in 1935 and has a commanding view of the Los Angeles skyline from its prime position on the slope of Mount Hollywood in Griffith Park. It is an example of Art Deco & diff --git a/src/yaml/mattb325/civic/miscellaneous/london-stock-exchange.yaml b/src/yaml/mattb325/civic/miscellaneous/london-stock-exchange.yaml index 4f5a1d780..e45dbd68a 100644 --- a/src/yaml/mattb325/civic/miscellaneous/london-stock-exchange.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/london-stock-exchange.yaml @@ -11,7 +11,7 @@ dependencies: info: summary: "London Stock Exchange" - description: > + description: | Fairly faithful representation of the real-life London Stock Exchange. Modded as a non-conditional Stock Exchange reward and does not override the original Maxis stock exchange. diff --git a/src/yaml/mattb325/civic/miscellaneous/madame-tussauds.yaml b/src/yaml/mattb325/civic/miscellaneous/madame-tussauds.yaml index 5e6e1fe0a..1491bddb0 100644 --- a/src/yaml/mattb325/civic/miscellaneous/madame-tussauds.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/madame-tussauds.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Madame Tussauds, Hollywood" - description: > + description: | Madame Tussauds is an entertainment complex on Hollywood Boulevard. This BAT is intended as a more serious alternative to the in-game Tourist Trap reward. The complex has a wax museum, garish LED outdoor screens, a Starbucks Coffee diff --git a/src/yaml/mattb325/civic/miscellaneous/radio-station.yaml b/src/yaml/mattb325/civic/miscellaneous/radio-station.yaml index 98177d5bb..5dc4da341 100644 --- a/src/yaml/mattb325/civic/miscellaneous/radio-station.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/radio-station.yaml @@ -12,7 +12,7 @@ dependencies: info: summary: "Radio Station" - description: > + description: | Like the ingame Radio Station this lot is basically used as a cap buster; it increases desirability, mayor rating and also substantially lifts the demand cap for R$$ and Manufacturing jobs. Given how most of the industrial diff --git a/src/yaml/mattb325/civic/miscellaneous/research-center.yaml b/src/yaml/mattb325/civic/miscellaneous/research-center.yaml index c4062de5b..76dc4698d 100644 --- a/src/yaml/mattb325/civic/miscellaneous/research-center.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/research-center.yaml @@ -11,7 +11,7 @@ dependencies: info: summary: "Research Center" - description: > + description: | Alternative research center without the NIMBY effects of the in-game version. This research center does not generate radiation, reduce residential desirability, or lower your mayor rating. diff --git a/src/yaml/mattb325/civic/miscellaneous/spring-st-soup-kitchen.yaml b/src/yaml/mattb325/civic/miscellaneous/spring-st-soup-kitchen.yaml index 2ca262a63..1179b1ad6 100644 --- a/src/yaml/mattb325/civic/miscellaneous/spring-st-soup-kitchen.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/spring-st-soup-kitchen.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Spring St Soup Kitchen, NYC" - description: > + description: | A rather unique reward, this shiny NYC soup kitchen BAT provides cap relief for residential, commercial, and industrial categories. It sits on a 2x2 lot and provides 95 civic jobs. diff --git a/src/yaml/mattb325/civic/miscellaneous/trade-union-hall.yaml b/src/yaml/mattb325/civic/miscellaneous/trade-union-hall.yaml index 83409ed03..8159e0295 100644 --- a/src/yaml/mattb325/civic/miscellaneous/trade-union-hall.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/trade-union-hall.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Trade Union Hall" - description: > + description: | 4x2 reward lot home to a late 1950s modern style trade union hall. Placing this lot will greatly drive demand in the following sectors: CO§§; CO§§§; R§; R§§; R§§§; I-D; I-M and I-H, with the largest up-tick in diff --git a/src/yaml/mattb325/civic/miscellaneous/world-health-organisation.yaml b/src/yaml/mattb325/civic/miscellaneous/world-health-organisation.yaml index ecb13d3bd..eb36cf298 100644 --- a/src/yaml/mattb325/civic/miscellaneous/world-health-organisation.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/world-health-organisation.yaml @@ -10,7 +10,7 @@ dependencies: info: summary: "World Health Organisation Geneva" - description: > + description: | The nine-story WHO headquarters in Geneva were designed in 1959 by the Swiss architect Jean Tschumi. It is unashamedly modernist and quite graceful in its execution. diff --git a/src/yaml/mattb325/civic/miscellaneous/youtube-headquarters.yaml b/src/yaml/mattb325/civic/miscellaneous/youtube-headquarters.yaml index 7582bff72..0330dc911 100644 --- a/src/yaml/mattb325/civic/miscellaneous/youtube-headquarters.yaml +++ b/src/yaml/mattb325/civic/miscellaneous/youtube-headquarters.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "YouTube Headquarters" - description: > + description: | This is an interpretation of the YouTube Headquarters in San Bruno, California. It sits on a large 12x5 lot, and provides 2,972 civic jobs. This reward drives demand for CO$$, CO$$$, R$$, R$$$, and I-H. diff --git a/src/yaml/mattb325/civic/religion/new-england-style-church.yaml b/src/yaml/mattb325/civic/religion/new-england-style-church.yaml index 9b2121c08..6c16c7ae3 100644 --- a/src/yaml/mattb325/civic/religion/new-england-style-church.yaml +++ b/src/yaml/mattb325/civic/religion/new-england-style-church.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "A simple, yet idyllic church typical of rural New England" - description: > + description: | The New England style of Church surrounded by deciduous trees in autumnal hues is an often photographed building: they are - pictorially at least - an archetypal representation of the rural idyll of America's North East. diff --git a/src/yaml/mattb325/civic/religion/old-north-church-boston.yaml b/src/yaml/mattb325/civic/religion/old-north-church-boston.yaml index 2275b2949..dd2f066b1 100644 --- a/src/yaml/mattb325/civic/religion/old-north-church-boston.yaml +++ b/src/yaml/mattb325/civic/religion/old-north-church-boston.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "Old North Church, Boston" - description: > + description: | Built in 1723, this is the oldest church in Boston and is famous for having been the church from which Paul Revere received his illuminated signals ("one if by land, and two if by sea") prior to his midnight ride to warn diff --git a/src/yaml/mattb325/civic/religion/st-johns-church.yaml b/src/yaml/mattb325/civic/religion/st-johns-church.yaml index 87444557a..aa4c052ac 100644 --- a/src/yaml/mattb325/civic/religion/st-johns-church.yaml +++ b/src/yaml/mattb325/civic/religion/st-johns-church.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "St Johns Church, Washington DC" - description: > + description: | St John's Episcopal Church is a Greek Revival Building near the White House. It was built in 1816, and, owing its proximity to the white house, it has been frequented by nearly every president at least once, which has given diff --git a/src/yaml/mattb325/civic/safety/art-deco-fire-station.yaml b/src/yaml/mattb325/civic/safety/art-deco-fire-station.yaml index d5dd1b15f..744de6f70 100644 --- a/src/yaml/mattb325/civic/safety/art-deco-fire-station.yaml +++ b/src/yaml/mattb325/civic/safety/art-deco-fire-station.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "Art Deco fire station based on one from SimCity 3000" - description: > + description: | This large fire station has amazing art deco features and looks good in either a downtown or suburban setting. It has a large coverage radius, four dispatches, and provides 43 civic jobs. diff --git a/src/yaml/mattb325/civic/safety/goulburn-st-fire-station.yaml b/src/yaml/mattb325/civic/safety/goulburn-st-fire-station.yaml index 9ce217275..33e3f0982 100644 --- a/src/yaml/mattb325/civic/safety/goulburn-st-fire-station.yaml +++ b/src/yaml/mattb325/civic/safety/goulburn-st-fire-station.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "Goulburn St Fire Station" - description: > + description: | This small W2W fire station is modeled on the old salvation army hall on Sydney's Goulburn St. Despite its small size, it has two dispatches and an expanded coverage radius. Being fire station, it is found in the fire menu. diff --git a/src/yaml/mattb325/civic/safety/modern-fire-station.yaml b/src/yaml/mattb325/civic/safety/modern-fire-station.yaml index 5c02eca28..0773aca04 100644 --- a/src/yaml/mattb325/civic/safety/modern-fire-station.yaml +++ b/src/yaml/mattb325/civic/safety/modern-fire-station.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Modern Fire Station" - description: > + description: | This police station is inspired by the newly built fire stations that you find in many outer urban areas. They are cheap and quick to build, and basically all look the same. In true functionalist style, it is given red diff --git a/src/yaml/mattb325/civic/safety/modern-police-station.yaml b/src/yaml/mattb325/civic/safety/modern-police-station.yaml index 936bf8922..3d371b7bc 100644 --- a/src/yaml/mattb325/civic/safety/modern-police-station.yaml +++ b/src/yaml/mattb325/civic/safety/modern-police-station.yaml @@ -8,7 +8,7 @@ dependencies: info: summary: "Modern Police Station" - description: > + description: | This police station is inspired by the newly built police stations that you find in many outer urban areas. They are cheap and quick to build, and basically all look the same. In true functionalist style, it is given blue diff --git a/src/yaml/mattb325/civic/safety/old-diagonal-fire-station.yaml b/src/yaml/mattb325/civic/safety/old-diagonal-fire-station.yaml index c5cfb1c44..f5be49af5 100644 --- a/src/yaml/mattb325/civic/safety/old-diagonal-fire-station.yaml +++ b/src/yaml/mattb325/civic/safety/old-diagonal-fire-station.yaml @@ -6,7 +6,7 @@ dependencies: [] info: summary: "An old diagonal fire station" - description: > + description: | This large coverage and large dispatch fire station is housed in an old Edwardian building with shops along the street frontage and offices on the upper floors. The main garaging for the fire trucks is at the rear with diff --git a/src/yaml/mattb325/civic/safety/old-nypd-headquarters.yaml b/src/yaml/mattb325/civic/safety/old-nypd-headquarters.yaml index defef82b0..f122caff8 100644 --- a/src/yaml/mattb325/civic/safety/old-nypd-headquarters.yaml +++ b/src/yaml/mattb325/civic/safety/old-nypd-headquarters.yaml @@ -7,7 +7,7 @@ dependencies: info: summary: "Old NYPD Headquarters" - description: > + description: | More like a palace than a police station, this real building on Centre St in New York was built in 1909 and housed the New York Police department from 1909 to 1973. @@ -63,7 +63,7 @@ dependencies: [] info: summary: "Old NYPD Headquarters (diagonal)" - description: > + description: | More like a palace than a police station, this real building on Centre St in New York was built in 1909 and housed the New York Police department from 1909 to 1973. diff --git a/src/yaml/mattb325/cruise-ship-terminal.yaml b/src/yaml/mattb325/cruise-ship-terminal.yaml new file mode 100644 index 000000000..d39cb7cb9 --- /dev/null +++ b/src/yaml/mattb325/cruise-ship-terminal.yaml @@ -0,0 +1,60 @@ +group: mattb325 +name: cruise-ship-terminal +version: "1.0" +subfolder: 700-transit +info: + summary: Cruise Ship Terminal + description: | + Using the cruise ship terminal helps to break through demand caps, increase mayor and landmark ratings, and provides jobs; all of these enable you to get a thriving high end commercial services sector and enable a higher populations of R$$ and R$$$ sims. + This is crucial to helping build large cities. + + In real life, most cruise ship terminals are fairly swank affairs as, just like airports, they are often the first impression a visitor has of a city. + This cruise ship building is modded similarly to the in-game version and there are also custom made seawalls for the lot. + Like the ingame version, it is found in the rewards menu and provides jobs once plopped. + It therefore needs road access. + + Unlike the ingame version, it does not require certain thresholds to be met before being unlocked, and it can also be placed more than once in the same city. + It does NOT replace the Maxis version and you can have both co-exist in the same city if you wish. + The lot size is a more realistic and substantial 7 tiles wide by 5 tiles deep. + author: mattb325 + website: https://community.simtropolis.com/files/file/27915-cruise-ship-terminal/ + images: + - https://www.simtropolis.com/objects/screens/monthly_08_2012/thumb-ef81c31525c02bac746104b344acc350-cruiseship.jpg + - https://www.simtropolis.com/objects/screens/monthly_08_2012/thumb-ff1d3fcb4201cbe8b9bcec2828f47b93-cruiseship1.jpg + - https://www.simtropolis.com/objects/screens/monthly_08_2012/thumb-694fa4cea47b9e078ade3ced6439af19-cruiseship2.jpg + - https://www.simtropolis.com/objects/screens/monthly_08_2012/thumb-21bea22f862a5d46726e1c9a67b7bd68-cruiseship3.jpg + - https://www.simtropolis.com/objects/screens/monthly_08_2012/thumb-9d37fcd8013ed7b59518a19da4f251cf-cruiseship4.jpg + +dependencies: + - bsc:textures-vol01 + - bsc:bat-props-mattb325-vol02 + - bsc:bat-props-mattb325-vol03 + - mattb325:cruise-ship-terminal-retaining-wall + +assets: + - assetId: mattb325-cruise-ship-terminal + exclude: + - Mattb325 Cruise Ship Terminal/Mattb325_RetainingWall-0x5ad0e817_0x9d7c94d6_0x30000.SC4Model + - Mattb325 Cruise Ship Terminal/Mattb325_RetainingWall-0x6534284a-0x13a0bd51-0xbdaab9ca.SC4Desc + +--- +group: mattb325 +name: cruise-ship-terminal-retaining-wall +version: "1.0" +subfolder: 100-props-textures +info: + summary: Retaining Wall prop + author: mattb325 + website: https://community.simtropolis.com/files/file/27915-cruise-ship-terminal/ + +assets: + - assetId: mattb325-cruise-ship-terminal + include: + - Mattb325 Cruise Ship Terminal/Mattb325_RetainingWall-0x5ad0e817_0x9d7c94d6_0x30000.SC4Model + - Mattb325 Cruise Ship Terminal/Mattb325_RetainingWall-0x6534284a-0x13a0bd51-0xbdaab9ca.SC4Desc + +--- +assetId: mattb325-cruise-ship-terminal +version: "1.0" +lastModified: "2012-08-11T00:24:06Z" +url: https://community.simtropolis.com/files/file/27915-cruise-ship-terminal/?do=download diff --git a/src/yaml/mattb325/hotondo-homes.yaml b/src/yaml/mattb325/hotondo-homes.yaml index afcb73657..71628e6b2 100644 --- a/src/yaml/mattb325/hotondo-homes.yaml +++ b/src/yaml/mattb325/hotondo-homes.yaml @@ -20,7 +20,7 @@ variants: info: summary: "4 R$$ house models for small lots" - description: > + description: | These houses are based on floor plans by the spec-builder 'Hotondo' Homes. They are reasonably accurate renditions: all are single story 3 bedrooms, 2 bathrooms with a single car garage, formal and informal living areas, diff --git a/src/yaml/mattb325/lafayette-square-homes.yaml b/src/yaml/mattb325/lafayette-square-homes.yaml index 287224736..0bfb84328 100644 --- a/src/yaml/mattb325/lafayette-square-homes.yaml +++ b/src/yaml/mattb325/lafayette-square-homes.yaml @@ -9,7 +9,7 @@ dependencies: info: summary: "LaFayette Square St. Louis Row Homes" - description: > + description: | These old world, colourful row homes hail from LaFayette Square in St. Louis. The houses are 8m wide, medium wealth (R$$) and have a number of colour variations in a family. They grow on 1x2 and 2x2 lots in the Chicago and New York tilesets. diff --git a/src/yaml/mattb325/modern-villas.yaml b/src/yaml/mattb325/modern-villas.yaml index 9ccac1f92..0bae98293 100644 --- a/src/yaml/mattb325/modern-villas.yaml +++ b/src/yaml/mattb325/modern-villas.yaml @@ -11,7 +11,7 @@ dependencies: info: summary: Modern Villa 1 - description: > + description: | This villa is part of a set of 5 modern R$$$ villas. They grow on the modern Houston and Euro tilesets. @@ -61,7 +61,7 @@ dependencies: info: summary: Modern Villa 1 - description: > + description: | This villa is part of a set of 5 modern R$$$ villas. They grow on the modern Houston and Euro tilesets. @@ -111,7 +111,7 @@ dependencies: info: summary: Modern Villa 2 - description: > + description: | This villa is part of a set of 5 modern R$$$ villas. They grow on the modern Houston and Euro tilesets. @@ -164,7 +164,7 @@ dependencies: info: summary: Modern Villa 3 - description: > + description: | This villa is part of a set of 5 modern R$$$ villas. They grow on the modern Houston and Euro tilesets. @@ -220,7 +220,7 @@ dependencies: info: summary: Modern Villa 4 - description: > + description: | This villa is part of a set of 5 modern R$$$ villas. They grow on the modern Houston and Euro tilesets. @@ -270,7 +270,7 @@ dependencies: info: summary: Collection of 5 modern R$$$ villas - description: > + description: | These villas grow on the modern Houston and Euro tilesets. Typically the modern villa is something of a compound: numerous projections create enclosed intimate spaces. @@ -293,7 +293,7 @@ assets: info: summary: Ploppable Modern Villas - description: > + description: | A ploppable version of 5 modern villas. In SC4, all residential lots need access to a road, and that of course means a lot must be made, and the downloader is often subject to the whims and tastes of the lot-maker: certainly houses that are off the beaten track are almost impossible to achieve in the constraints of SC4 RCI zoning. diff --git a/src/yaml/mattb325/new-york-w2w.yaml b/src/yaml/mattb325/new-york-w2w.yaml index a9cde1c7f..5ca1ee784 100644 --- a/src/yaml/mattb325/new-york-w2w.yaml +++ b/src/yaml/mattb325/new-york-w2w.yaml @@ -5,7 +5,7 @@ subfolder: 300-commercial info: summary: Ten W2W buildings from New York City - description: > + description: | This Wall-to-Wall pack consists of real buildings from around the Noho and Soho districts that take in a large variety of architectural styles. In addition to being taller mid-rise buildings which are great for busy city street scenes, these buildings are mostly all corner buildings. diff --git a/src/yaml/mattb325/props/street-planters-and-benches.yaml b/src/yaml/mattb325/props/street-planters-and-benches.yaml index 70b1d4c31..d0b9f1228 100644 --- a/src/yaml/mattb325/props/street-planters-and-benches.yaml +++ b/src/yaml/mattb325/props/street-planters-and-benches.yaml @@ -10,7 +10,7 @@ dependencies: [] info: summary: "Street Planters and Benches" - description: > + description: | A series of differently rotated street planters and benches for lotting use. Only the props are included in this package. author: "mattb325" @@ -32,7 +32,7 @@ dependencies: info: summary: "1x1 Park lots using the Street Planters and Benches prop set" - description: > + description: | Four very simple lots using differently rotated street planter & bench props. Useful for gap filling in parks or among developed areas. diff --git a/src/yaml/mattb325/transportation-collection.yaml b/src/yaml/mattb325/transportation-collection.yaml new file mode 100644 index 000000000..260082bea --- /dev/null +++ b/src/yaml/mattb325/transportation-collection.yaml @@ -0,0 +1,1505 @@ +assetId: mattb325-transportation-collection-darknite +version: "1.0" +lastModified: "2024-10-27T04:25:27-07:00" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=315:sc4d-lex-legacy-mattb325-transportation-collection-darknite + +--- +assetId: mattb325-transportation-collection-maxisnite +version: "1.0" +lastModified: "2024-10-27T04:25:54-07:00" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=316:sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + +--- +assetId: mattb325-multifunction-stations-darknite +version: "2.0" +lastModified: "2024-10-26T08:14:24-07:00" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=112:mattb325-multifunction-stations-prop-pack-dark-nite + +--- +assetId: mattb325-multifunction-stations-maxisnite +version: "2.0" +lastModified: "2024-10-26T08:13:53-07:00" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=113:mattb325-multifunction-stations-prop-pack-maxis-nite + +--- +group: mattb325 +name: transportation-collection +version: "1.0" +subfolder: 700-transit +info: + summary: Transportation Collection + description: | + This package features the transporation related LOTs and BATs by mattb325. + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - mattb325:subway-station + - mattb325:underground-parking + - mattb325:parking-garage-ortho + - mattb325:parking-garage-diagonal + - mattb325:electric-car-recharge-station + - mattb325:electric-car-recharge-bay + - mattb325:xiangshen-centre-l0-and-l2-viaduct-rail-station + - mattb325:victorian-l1-viaduct-rail-station + - mattb325:victorian-diagonal-l1-viaduct-rail-station + - mattb325:underground-rail-station + - mattb325:terminus-pack + - mattb325:sunken-railway-station + - mattb325:strickland-l1-viaduct-rail-station + - mattb325:spitalfields-house-l0-and-l2-viaduct-rail-station + - mattb325:national-audit-office-l0-and-l2-viaduct-rail-station + - mattb325:modern-l2-viaduct-rail-station + - mattb325:modern-l1-viaduct-rail-station + - mattb325:l1-viaduct-rail-terminus + - mattb325:high-holbourn-station + - mattb325:grand-central-chicago + - mattb325:galleria-gc-l2-viaduct-rail-terminus + - mattb325:emu-plains-rail-station + - mattb325:citylink-transport-hub + - mattb325:central-l2-viaduct-rail-station + - mattb325:central-l1-viaduct-rail-station + - mattb325:xiangshen-centre-rail-monorail-station + - mattb325:xiangshen-centre-rail-hsr-station + - mattb325:xiangshen-centre-rail-elrail-station + - mattb325:spitalfields-house-rail-monorail-station + - mattb325:spitalfields-house-rail-hsr-station + - mattb325:spitalfields-house-rail-elrail-station + - mattb325:overhanging-multifunction-station-ortho + - mattb325:overhanging-multifunction-station-fa + - mattb325:overhanging-multifunction-station-diagonal + - mattb325:national-audit-office-rail-monorail-station + - mattb325:national-audit-office-rail-hsr-station + - mattb325:national-audit-office-rail-elrail-station + - mattb325:modern-rail-station-monorail + - mattb325:galleria-gc-monorail-terminus + - mattb325:central-station-monorail + - mattb325:modern-rail-station-hsr + - mattb325:galleria-gc-hsr-terminus + - mattb325:central-station-hsr + - mattb325:diagonal-glr-station + - mattb325:modern-rail-station-el-rail + - mattb325:galleria-gc-el-rail-terminus + - mattb325:central-station-el-rail + +--- +group: mattb325 +name: terminus-stations +version: "1.0" +subfolder: 100-props-textures +info: + summary: Models for terminus stations + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Terminus Station Models + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Terminus Station Models + +--- +group: mattb325 +name: overhanging-multifunction-stations +version: "1.0" +subfolder: 100-props-textures +info: + summary: Props for multipurpose stations + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Overhanging Multipurpose Station Props + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Overhanging Multipurpose Station Props + +--- +group: mattb325 +name: multifunction-stations +version: "2.0" +subfolder: 100-props-textures +info: + summary: Props for multipurpose stations + author: mattb325 + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/MultiStationPropPack_s1.jpg + - https://www.sc4evermore.com/images/jdownloads/screenshots/Mattb325_MultiStationPropPack_sn0.jpg + websites: + - https://www.sc4evermore.com/index.php/downloads/download/113-mattb325-multifunction-stations-prop-pack-maxis-nite + - https://www.sc4evermore.com/index.php/downloads/download/22-dependencies/112-mattb325-multifunction-stations-prop-pack-darknite +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-multifunction-stations-maxisnite + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-multifunction-stations-darknite + +--- +group: mattb325 +name: subway-station +version: "1.0" +subfolder: 700-transit +info: + summary: Subway Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:bat-props-mattb325-vol02 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Subway Station/Subway Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Subway Station/Subway Station/ + +--- +group: mattb325 +name: underground-parking +version: "1.0" +subfolder: 700-transit +info: + summary: Underground Parking + author: mattb325 + websites: + - https://community.simtropolis.com/files/file/34333-underground-parking-entrance/ + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + images: + - https://www.simtropolis.com/objects/screens/monthly_2021_03/Underground.jpg.cb95b42c82e16e9c2840308e57e6db70.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/Underground1.jpg.64158203f484cfc7c683bea4bfcd3410.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/Underground2.jpg.5ad590d5451d5adb0f735696f3681acd.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/Underground3.jpg.d07f74a0ab61ca61b2474a738ff685dd.jpg +dependencies: + - bsc:bat-props-mattb325-vol02 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Parking/Underground Parking#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Parking/Underground Parking#/ + +--- +group: mattb325 +name: parking-garage-ortho +version: "1.0" +subfolder: 700-transit +info: + summary: Parking Garage Ortho + author: mattb325 + websites: + - https://community.simtropolis.com/files/file/32956-parking-garage/ + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + images: + - https://www.simtropolis.com/objects/screens/monthly_2019_06/ParkingGarage.jpg.153ba6c42c03452069a9058749426a7b.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_06/ParkingGarage1.jpg.3ab07ef2ff79c9eaaaab4a521d459d12.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_06/ParkingGarage2.jpg.a3cdcc8249785e43a6e638151c24a7f8.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_06/ParkingGarage3.jpg.31391f3dd09bbde5c9eef765fa8b9cac.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_06/ParkingGarage4.jpg.6edfdf78655f34c83f9cd6a00a0371a2.jpg +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Parking/Parking Garage Ortho#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Parking/Parking Garage Ortho#/ + +--- +group: mattb325 +name: parking-garage-diagonal +version: "1.0" +subfolder: 700-transit +info: + summary: Parking Garage Diagonal + author: mattb325 + websites: + - https://community.simtropolis.com/files/file/34490-diagonal-parking-garage/ + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + images: + - https://www.simtropolis.com/objects/screens/monthly_2021_05/DiagParking.jpg.38dbf606e968a521c2825869152befab.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_05/DiagParking1.jpg.27fc7c15fed944c583484e2aabe0bd0f.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_05/DiagParking2.jpg.78f64ceaaf91b9d1bfd9bbd25a00f52c.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_05/DiagParking3.jpg.98a42bab02b27ff5f987d0362b917f64.jpg +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Parking/Parking Garage Diagonal#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Parking/Parking Garage Diagonal#/ + +--- +group: mattb325 +name: electric-car-recharge-station +version: "1.0" +subfolder: 700-transit +info: + summary: Electric Car Recharge Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:mega-props-cp-vol02 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Parking/Electric Car Recharge Station#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Parking/Electric Car Recharge Station#/ + +--- +group: mattb325 +name: electric-car-recharge-bay +version: "1.0" +subfolder: 700-transit +info: + summary: Electric Car Recharge Bay + author: mattb325 + websites: + - https://community.simtropolis.com/files/file/34306-electric-car-recharge-bay/ + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + images: + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay.jpg.f94b61c3c82ec5bd3c5aa1ec855eed56.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay1.jpg.610b5cbde301b6510d7c9626f2baccc6.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay1a.jpg.9db53c0551e39fa665771e5cfe4389f0.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay2.jpg.2b8031472ee40178e5ff039d11fd3a78.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay3.jpg.37f8adac470c687fc3c4c4909139e24d.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay4.jpg.88c7da9cfcabbb5537d949c940bc3fc6.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay5.jpg.3cacf2217a98e1ce7399d4819ea96d96.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay6.jpg.1a2ea2de399f49efa199391350d28a3c.jpg + - https://www.simtropolis.com/objects/screens/monthly_2021_03/ElectricCarRechargeBay7.jpg.00e9b79011820524293d80713f28f23c.jpg +dependencies: + - bsc:mega-props-cp-vol01 + - shk:parking-pack + - supershk:mega-parking-textures +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Parking/Electric Car Recharge Bay#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Parking/Electric Car Recharge Bay#/ + +--- +group: mattb325 +name: xiangshen-centre-l0-and-l2-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Xiangshen Centre L0 and L2 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Xiangshen Centre L0 and L2 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Xiangshen Centre L0 and L2 Viaduct Rail Station/ + +--- +group: mattb325 +name: victorian-l1-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Victorian L1 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Victorian L1 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Victorian L1 Viaduct Rail Station/ + +--- +group: mattb325 +name: victorian-diagonal-l1-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Victorian Diagonal L1 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Victorian Diagonal L1 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Victorian Diagonal L1 Viaduct Rail Station/ + +--- +group: mattb325 +name: underground-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Underground Rail (U-Rail) Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:bat-props-mattb325-vol02 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Underground Rail \(U-Rail\) Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Underground Rail \(U-Rail\) Station/ + +--- +group: mattb325 +name: terminus-pack +version: "1.0" +subfolder: 700-transit +info: + summary: Terminus Pack + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - mattb325:terminus-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Terminus Pack#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Terminus Pack#/ + +--- +group: mattb325 +name: sunken-railway-station +version: "1.0" +subfolder: 700-transit +info: + summary: Sunken Railway Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Sunken Railway Station#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Sunken Railway Station#/ + +--- +group: mattb325 +name: strickland-l1-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Strickland L1 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Strickland L1 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Strickland L1 Viaduct Rail Station/ + +--- +group: mattb325 +name: spitalfields-house-l0-and-l2-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Spitalfields House L0 and L2 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Spitalfields House L0 and L2 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Spitalfields House L0 and L2 Viaduct Rail Station/ + +--- +group: mattb325 +name: national-audit-office-l0-and-l2-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: National Audit Office L0 and L2 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/National Audit Office L0 and L2 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/National Audit Office L0 and L2 Viaduct Rail Station/ + +--- +group: mattb325 +name: modern-l2-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Modern L2 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - bsc:textures-vol03 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Modern L2 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Modern L2 Viaduct Rail Station/ + +--- +group: mattb325 +name: modern-l1-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Modern L1 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - bsc:textures-vol03 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Modern L1 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Modern L1 Viaduct Rail Station/ + +--- +group: mattb325 +name: l1-viaduct-rail-terminus +version: "1.0" +subfolder: 700-transit +info: + summary: L1 Viaduct Rail Terminus + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:mega-props-misc-vol02 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/L1 Viaduct Rail Terminus/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/L1 Viaduct Rail Terminus/ + +--- +group: mattb325 +name: high-holbourn-station +version: "1.0" +subfolder: 700-transit +info: + summary: High Holbourn Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-jes-vol01 + - bsc:mega-props-jes-vol02 + - bsc:mega-props-rt-vol01 + - bsc:mega-props-sg-vol01 + - bsc:textures-vol01 + - bsc:textures-vol02 + - csx:mega-props-vol03 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/High Holbourn Station#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/High Holbourn Station#/ + +--- +group: mattb325 +name: grand-central-chicago +version: "1.0" +subfolder: 700-transit +info: + summary: Grand Central Chicago + author: mattb325 + websites: + - https://community.simtropolis.com/files/file/30925-chicago-grand-central-terminal/ + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + images: + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral.jpg.dea76c862f45e1bad85f0508784bc3be.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral1.1.jpg.b8e67eb88f8f6bf85dc385f25dbd08c1.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral1.jpg.08279f7b5dd2e7371bb248414490b1ea.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral2.jpg.62246d691dd628cc4d20868a3ef0a5fc.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral3.jpg.13a94670fe4bfd2bdab1bc3c50cf0901.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral4.jpg.e5a1058f4df64275961ca99c9fb0cbc3.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral5.jpg.1c12f884b44e1431b435a340a3849a5c.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_01/ChicagoCentral6.jpg.84646f19ac2897784eaa9448178dfff8.jpg +dependencies: + - bsc:bat-props-mattb325-vol02 + - bsc:mega-props-cp-vol01 + - bsc:mega-props-cp-vol02 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Grand Central Chicago#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Grand Central Chicago#/ + +--- +group: mattb325 +name: galleria-gc-l2-viaduct-rail-terminus +version: "1.0" +subfolder: 700-transit +info: + summary: Galleria GC L2 Viaduct Rail Terminus + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - bsc:textures-vol03 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Galleria GC L2 Viaduct Rail Terminus/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Galleria GC L2 Viaduct Rail Terminus/ + +--- +group: mattb325 +name: emu-plains-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Emu Plains Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:mega-props-jes-vol01 + - bsc:mega-props-jes-vol02 + - bsc:texturepack-cycledogg-vol01 + - bsc:textures-vol01 + - bsc:textures-vol02 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Emu Plains Rail Station#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Emu Plains Rail Station#/ + +--- +group: mattb325 +name: citylink-transport-hub +version: "1.0" +subfolder: 700-transit +info: + summary: Citylink Transport Hub + author: mattb325 + websites: + - https://community.simtropolis.com/files/file/32073-city-link-transport-hub/ + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + images: + - https://www.simtropolis.com/objects/screens/monthly_2018_01/CityLink.jpg.80474b4e42edc2c05d67d2875ddeebfb.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_01/CityLink2.jpg.816ac6cc4521b57cde28b244766d8412.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_01/CityLink3.jpg.7b2d3ffca387bd4d23ef24222e42d7c0.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_01/CityLink4.jpg.ea85d03a5dc6852f91c2fcfaf6c2aa1e.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_01/CityLink5.jpg.4dad4773aea3c9292a027d9a0579ad0c.jpg + - https://www.simtropolis.com/objects/screens/monthly_2018_01/CityLink1.jpg.519f164df5ee86435f274dbf5f2a35ad.jpg +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Citylink Rail Station#/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Citylink Rail Station#/ + +--- +group: mattb325 +name: central-l2-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Central L2 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Central L2 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Central L2 Viaduct Rail Station/ + +--- +group: mattb325 +name: central-l1-viaduct-rail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Central L1 Viaduct Rail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Rail Stations/Central L1 Viaduct Rail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Rail Stations/Central L1 Viaduct Rail Station/ + +--- +group: mattb325 +name: xiangshen-centre-rail-monorail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Xiangshen Centre Rail-MonoRail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - csx:mega-props-vol07 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Xiangshen Centre Rail-MonoRail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Xiangshen Centre Rail-MonoRail Station/ + +--- +group: mattb325 +name: xiangshen-centre-rail-hsr-station +version: "1.0" +subfolder: 700-transit +info: + summary: Xiangshen Centre Rail-HSR Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Xiangshen Centre Rail-HSR Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Xiangshen Centre Rail-HSR Station/ + +--- +group: mattb325 +name: xiangshen-centre-rail-elrail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Xiangshen Centre Rail-ElRail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Xiangshen Centre Rail-ElRail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Xiangshen Centre Rail-ElRail Station/ + +--- +group: mattb325 +name: spitalfields-house-rail-monorail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Spitalfields House Rail-MonoRail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:textures-vol01 + - csx:mega-props-vol07 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Spitalfields House Rail-MonoRail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Spitalfields House Rail-MonoRail Station/ + +--- +group: mattb325 +name: spitalfields-house-rail-hsr-station +version: "1.0" +subfolder: 700-transit +info: + summary: Spitalfields House Rail-HSR Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Spitalfields House Rail-HSR Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Spitalfields House Rail-HSR Station/ + +--- +group: mattb325 +name: spitalfields-house-rail-elrail-station +version: "1.0" +subfolder: 700-transit +info: + summary: Spitalfields House Rail-ElRail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Spitalfields House Rail-ElRail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Spitalfields House Rail-ElRail Station/ + +--- +group: mattb325 +name: overhanging-multifunction-station-ortho +version: "1.0" +subfolder: 700-transit +info: + summary: Overhanging Multifunction Station (Orthogonal) + author: mattb325 + websites: + - https://community.simtropolis.com/files/file/33181-ortho-rail-bus-and-subway-station-transport-hub/ + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight + images: + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation.jpg.d0aee799fe6604a9401d767793a0d9d0.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation1.jpg.bfb0b93dc822eab128202ea2373e90d8.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation1a.jpg.d47e7b2571174058d194d0138142fb2b.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation2.jpg.a1c995ab7d3c8489cf44d6b317022c2b.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation3.jpg.d639254663b5a42fed236cd366be0f51.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation4.jpg.292aa4eece0608629ca0e6ef07d2503e.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation5.jpg.04d325275bd63b87fc47f1203353e58e.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation6.jpg.f3d1acadd45dafd25a7fb02cf87640f7.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation7.jpg.e2a0325319bcf8e999d649753e51314e.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_09/OrthoStation8.jpg.779da18532deea02b2582ea13d16b943.jpg +dependencies: + - mattb325:overhanging-multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Multifunction Station Ortho/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Overhanging Multifunction Station Ortho/ + +--- +group: mattb325 +name: overhanging-multifunction-station-fa +version: "1.0" +subfolder: 700-transit +info: + summary: Overhanging Multifunction Station (Fractionally Angled) + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - mattb325:overhanging-multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Multifunction Station FA/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Overhanging Multifunction Station FA/ + +--- +group: mattb325 +name: overhanging-multifunction-station-diagonal +version: "1.0" +subfolder: 700-transit +info: + summary: Overhanging Multifunction Station (Diagonal) + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - mattb325:overhanging-multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/Multifunction Station Diagonal/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/Overhanging Multifunction Station Diagonal/ + +--- +group: mattb325 +name: national-audit-office-rail-monorail-station +version: "1.0" +subfolder: 700-transit +info: + summary: National Audit Office Rail-MonoRail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - csx:mega-props-vol07 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/National Audit Office Rail-MonoRail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/National Audit Office Rail-MonoRail Station/ + +--- +group: mattb325 +name: national-audit-office-rail-hsr-station +version: "1.0" +subfolder: 700-transit +info: + summary: National Audit Office Rail-HSR Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/National Audit Office Rail-HSR Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/National Audit Office Rail-HSR Station/ + +--- +group: mattb325 +name: national-audit-office-rail-elrail-station +version: "1.0" +subfolder: 700-transit +info: + summary: National Audit Office Rail-ElRail Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Multi-Purpose Stations/National Audit Office Rail-ElRail Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Multi-Purpose Stations/National Audit Office Rail-ElRail Station/ + +--- +group: mattb325 +name: modern-rail-station-monorail +version: "1.0" +subfolder: 700-transit +info: + summary: Modern Rail Station Monorail + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:textures-vol01 + - bsc:textures-vol03 + - csx:mega-props-vol07 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Monorail-BTM Stations/Modern Rail Station Monorail/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Monorail-BTM Stations/Modern Rail Station Monorail/ + +--- +group: mattb325 +name: galleria-gc-monorail-terminus +version: "1.0" +subfolder: 700-transit +info: + summary: Galleria GC Monorail Terminus + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:textures-vol01 + - bsc:textures-vol03 + - csx:mega-props-vol07 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Monorail-BTM Stations/Galleria GC Monorail Terminus/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Monorail-BTM Stations/Galleria GC Monorail Terminus/ + +--- +group: mattb325 +name: central-station-monorail +version: "1.0" +subfolder: 700-transit +info: + summary: Central Station Monorail + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:textures-vol01 + - csx:mega-props-vol07 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Monorail-BTM Stations/Central Station Monorail/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Monorail-BTM Stations/Central Station Monorail/ + +--- +group: mattb325 +name: modern-rail-station-hsr +version: "1.0" +subfolder: 700-transit +info: + summary: Modern Rail Station HSR + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - bsc:textures-vol03 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /High Speed Rail \(HSR\) Stations/Modern Rail Station HSR/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /High Speed Rail \(HSR\) Stations/Modern Rail Station HSR/ + +--- +group: mattb325 +name: galleria-gc-hsr-terminus +version: "1.0" +subfolder: 700-transit +info: + summary: Galleria GC HSR Terminus + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - bsc:textures-vol03 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /High Speed Rail \(HSR\) Stations/Galleria GC HSR Terminus/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /High Speed Rail \(HSR\) Stations/Galleria GC HSR Terminus/ + +--- +group: mattb325 +name: central-station-hsr +version: "1.0" +subfolder: 700-transit +info: + summary: Central Station HSR + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /High Speed Rail \(HSR\) Stations/Central Station HSR/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /High Speed Rail \(HSR\) Stations/Central Station HSR/ + +--- +group: mattb325 +name: diagonal-glr-station +version: "1.0" +subfolder: 700-transit +info: + summary: Diagonal GLR Station + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - mattb325:overhanging-multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Ground Light Rail \(GLR\) Stations/Diagonal GLR Station/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Ground Light Rail \(GLR\) Stations/Diagonal GLR Station/ + +--- +group: mattb325 +name: modern-rail-station-el-rail +version: "1.0" +subfolder: 700-transit +info: + summary: Modern Rail Station El-Rail + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - bsc:textures-vol03 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Elevated Light Rail Stations/Modern Rail Station El-Rail/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Elevated Light Rail Stations/Modern Rail Station El-Rail/ + +--- +group: mattb325 +name: galleria-gc-el-rail-terminus +version: "1.0" +subfolder: 700-transit +info: + summary: Galleria GC El-Rail Terminus + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - bsc:textures-vol03 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Elevated Light Rail Stations/Galleria GC El-Rail Terminus/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Elevated Light Rail Stations/Galleria GC El-Rail Terminus/ + +--- +group: mattb325 +name: central-station-el-rail +version: "1.0" +subfolder: 700-transit +info: + summary: Central Station El-Rail + author: mattb325 + websites: + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/315-sc4d-lex-legacy-mattb325-transportation-collection-darknite + - https://www.sc4evermore.com/index.php/downloads/download/19-transportation/316-sc4d-lex-legacy-mattb325-transportation-collection-maxisnight +dependencies: + - bsc:mega-props-cp-vol01 + - bsc:textures-vol01 + - mattb325:multifunction-stations +variants: + - variant: { nightmode: standard } + assets: + - assetId: mattb325-transportation-collection-maxisnite + include: + - /Elevated Light Rail Stations/Central Station El-Rail/ + - variant: { nightmode: dark } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: mattb325-transportation-collection-darknite + include: + - /Elevated Light Rail Stations/Central Station El-Rail/ diff --git a/src/yaml/maxis/additional-landmarks.yaml b/src/yaml/maxis/additional-landmarks.yaml index fecff06f4..5b06a2a76 100644 --- a/src/yaml/maxis/additional-landmarks.yaml +++ b/src/yaml/maxis/additional-landmarks.yaml @@ -505,7 +505,7 @@ dependencies: - maxis:the-living-mall info: summary: "Additional Maxis landmarks" - description: > + description: | This collection of plugins contains all the additional landmarks that Maxis published as DLC. author: "Maxis" website: "https://community.simtropolis.com/sc4-maxis-files/coolstuff/landmarks/index.php" diff --git a/src/yaml/maxis/buildings-as-props.yaml b/src/yaml/maxis/buildings-as-props.yaml index 7f41810b1..811f6257c 100644 --- a/src/yaml/maxis/buildings-as-props.yaml +++ b/src/yaml/maxis/buildings-as-props.yaml @@ -7,7 +7,7 @@ dependencies: - "t-wrecks:maxis-prop-names-and-query-fix" info: summary: "Buildings as props (bldgprop_vol1.dat and bldgprop_vol2.dat)" - description: > + description: | Superseded by `pkg=t-wrecks:maxis-prop-names-and-query-fix`. It is enough to install that package instead. author: "Maxis" diff --git a/src/yaml/mayorbean/ocean-river-mod.yaml b/src/yaml/mayorbean/ocean-river-mod.yaml new file mode 100644 index 000000000..d577e359a --- /dev/null +++ b/src/yaml/mayorbean/ocean-river-mod.yaml @@ -0,0 +1,243 @@ +group: "mayorbean" +name: "ocean-river-mod" +version: "1.1" +subfolder: "170-terrain" +info: + summary: Ocean River Mod + description: | + Replaces the ingame water textures. The watercolor will differ depending on depth and viewing angle. It looks best at a waterdepth between 0m and 30m. + + This is an SD water mod. + author: "MayorBean" + images: + - https://www.simtropolis.com/objects/screens/0002/0becdafa3a030cad2381f492fc4e04c0-__MBCC-ORM-1.1final-UpdateFiles.jpg + - https://www.simtropolis.com/objects/screens/0002/0becdafa3a030cad2381f492fc4e04c0-OceanRiverSet1.jpg + website: https://community.simtropolis.com/files/file/11628-ocean-river-mod-final/ + +assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/TerrainProperties.dat + - OceanRiverMod/WaterSurface_256.dat + +variantDescriptions: + mayorbean:ocean-river-mod:shallow: + moss-green: "dark moss green shallow water" + asparagus: "asparagus shallow water" + blue: "blue shallow water" + grass: "grass textured shallow water" + marsh: "marsh textured shallow water" + mayorbean:ocean-river-mod:deep: + moss-green: "dark moss green deep water" + asparagus: "asparagus deep water" + blue: "blue deep water" + grass: "grass textured deep water" + marsh: "marsh textured deep water" + +variants: + - variant: + mayorbean:ocean-river-mod:shallow: moss-green + mayorbean:ocean-river-mod:deep: moss-green + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_5F5F00.dat + - OceanRiverMod/DeepSea_5F5F00.dat + - variant: + mayorbean:ocean-river-mod:shallow: moss-green + mayorbean:ocean-river-mod:deep: asparagus + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_5F5F00.dat + - OceanRiverMod/DeepSea_669966.dat + - variant: + mayorbean:ocean-river-mod:shallow: moss-green + mayorbean:ocean-river-mod:deep: blue + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_5F5F00.dat + - OceanRiverMod/DeepSea_669999.dat + - variant: + mayorbean:ocean-river-mod:shallow: moss-green + mayorbean:ocean-river-mod:deep: "grass" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_5F5F00.dat + - OceanRiverMod/DeepSea_Grass.dat + - variant: + mayorbean:ocean-river-mod:shallow: moss-green + mayorbean:ocean-river-mod:deep: "marsh" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_5F5F00.dat + - OceanRiverMod/DeepSea_Marsh.dat + - variant: + mayorbean:ocean-river-mod:shallow: asparagus + mayorbean:ocean-river-mod:deep: moss-green + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669966.dat + - OceanRiverMod/DeepSea_5F5F00.dat + - variant: + mayorbean:ocean-river-mod:shallow: asparagus + mayorbean:ocean-river-mod:deep: asparagus + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669966.dat + - OceanRiverMod/DeepSea_669966.dat + - variant: + mayorbean:ocean-river-mod:shallow: asparagus + mayorbean:ocean-river-mod:deep: blue + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669966.dat + - OceanRiverMod/DeepSea_669999.dat + - variant: + mayorbean:ocean-river-mod:shallow: asparagus + mayorbean:ocean-river-mod:deep: "grass" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669966.dat + - OceanRiverMod/DeepSea_Grass.dat + - variant: + mayorbean:ocean-river-mod:shallow: asparagus + mayorbean:ocean-river-mod:deep: "marsh" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669966.dat + - OceanRiverMod/DeepSea_Marsh.dat + - variant: + mayorbean:ocean-river-mod:shallow: blue + mayorbean:ocean-river-mod:deep: moss-green + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669999.dat + - OceanRiverMod/DeepSea_5F5F00.dat + - variant: + mayorbean:ocean-river-mod:shallow: blue + mayorbean:ocean-river-mod:deep: asparagus + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669999.dat + - OceanRiverMod/DeepSea_669966.dat + - variant: + mayorbean:ocean-river-mod:shallow: blue + mayorbean:ocean-river-mod:deep: blue + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669999.dat + - OceanRiverMod/DeepSea_669999.dat + - variant: + mayorbean:ocean-river-mod:shallow: blue + mayorbean:ocean-river-mod:deep: "grass" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669999.dat + - OceanRiverMod/DeepSea_Grass.dat + - variant: + mayorbean:ocean-river-mod:shallow: blue + mayorbean:ocean-river-mod:deep: "marsh" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_669999.dat + - OceanRiverMod/DeepSea_Marsh.dat + - variant: + mayorbean:ocean-river-mod:shallow: "grass" + mayorbean:ocean-river-mod:deep: moss-green + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Grass.dat + - OceanRiverMod/DeepSea_5F5F00.dat + - variant: + mayorbean:ocean-river-mod:shallow: "grass" + mayorbean:ocean-river-mod:deep: asparagus + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Grass.dat + - OceanRiverMod/DeepSea_669966.dat + - variant: + mayorbean:ocean-river-mod:shallow: "grass" + mayorbean:ocean-river-mod:deep: blue + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Grass.dat + - OceanRiverMod/DeepSea_669999.dat + - variant: + mayorbean:ocean-river-mod:shallow: "grass" + mayorbean:ocean-river-mod:deep: "grass" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Grass.dat + - OceanRiverMod/DeepSea_Grass.dat + - variant: + mayorbean:ocean-river-mod:shallow: "grass" + mayorbean:ocean-river-mod:deep: "marsh" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Grass.dat + - OceanRiverMod/DeepSea_Marsh.dat + - variant: + mayorbean:ocean-river-mod:shallow: "marsh" + mayorbean:ocean-river-mod:deep: moss-green + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Marsh.dat + - OceanRiverMod/DeepSea_5F5F00.dat + - variant: + mayorbean:ocean-river-mod:shallow: "marsh" + mayorbean:ocean-river-mod:deep: asparagus + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Marsh.dat + - OceanRiverMod/DeepSea_669966.dat + - variant: + mayorbean:ocean-river-mod:shallow: "marsh" + mayorbean:ocean-river-mod:deep: blue + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Marsh.dat + - OceanRiverMod/DeepSea_669999.dat + - variant: + mayorbean:ocean-river-mod:shallow: "marsh" + mayorbean:ocean-river-mod:deep: "grass" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Marsh.dat + - OceanRiverMod/DeepSea_Grass.dat + - variant: + mayorbean:ocean-river-mod:shallow: "marsh" + mayorbean:ocean-river-mod:deep: "marsh" + assets: + - assetId: "mayorbean-ocean-river-mod" + include: + - OceanRiverMod/ShallowWater_Marsh.dat + - OceanRiverMod/DeepSea_Marsh.dat + +--- +url: https://community.simtropolis.com/files/file/11628-ocean-river-mod-final/?do=download +assetId: "mayorbean-ocean-river-mod" +version: "1.1" +lastModified: "2005-02-06T16:15:20Z" diff --git a/src/yaml/memo/3d-camera-dll.yaml b/src/yaml/memo/3d-camera-dll.yaml index d78d0445f..6ee527107 100644 --- a/src/yaml/memo/3d-camera-dll.yaml +++ b/src/yaml/memo/3d-camera-dll.yaml @@ -1,14 +1,17 @@ group: "memo" name: "3d-camera-dll" -version: "1.0.0" +version: "1.0.0-1" subfolder: "150-mods" assets: - assetId: "memo-3d-camera-dll" + withChecksum: + - include: "/memo.3dcamera.dll" + sha256: 281406de45ea19ebd886b2584d2417781cca6ea874973cc4bd4b1f2e9d5ee216 info: summary: "Allows setting arbitrary camera angles" conflicts: "Only compatible with game version 1.1.641, the Windows digital edition." - description: > + description: | This DLL plugin activates two cheat codes that allow you to freely change the camera angles of the game. For detailed instructions, refer to the documentation on Simtropolis or GitHub. @@ -29,6 +32,7 @@ info: --- assetId: "memo-3d-camera-dll" -version: "1.0.0" +version: "1.0.0-1" lastModified: "2024-04-01T08:26:25Z" -url: "https://community.simtropolis.com/files/file/36188-3d-camera-dll-for-simcity-4/?do=download" +nonPersistentUrl: "https://community.simtropolis.com/files/file/36188-3d-camera-dll-for-simcity-4/?do=download" +url: "https://github.com/memo33/sc4-3d-camera-dll/releases/download/1.0.0/3d-camera-dll-1.0.0.zip" diff --git a/src/yaml/memo/essential-fixes.yaml b/src/yaml/memo/essential-fixes.yaml index 4834a238b..5f4bddcb4 100644 --- a/src/yaml/memo/essential-fixes.yaml +++ b/src/yaml/memo/essential-fixes.yaml @@ -28,12 +28,12 @@ assets: - assetId: "modpacc-zero-opera-house-fixes" info: summary: Fix the capacity of the opera house (Modpacc Zero) - warning: >- + warning: |- If you have previously built opera houses with Toroca's original opera house fix (`pkg=toroca:opera-house-fix`), you should keep Toroca's fix in your plugins as well (but only then). Otherwise, you can ignore this warning. conflicts: This mod is compatible with both the Maxis opera house and Toroca's opera house fix, regardless of load order. - description: > + description: | This mod adds a slider to the opera house query to solve a capacity problem that can have a major impact on city growth. diff --git a/src/yaml/memo/industrial-revolution-mod.yaml b/src/yaml/memo/industrial-revolution-mod.yaml index f354b24eb..e6beaa3a3 100644 --- a/src/yaml/memo/industrial-revolution-mod.yaml +++ b/src/yaml/memo/industrial-revolution-mod.yaml @@ -40,10 +40,10 @@ variantDescriptions: info: summary: "Alter the appearance of all Maxis industrial lots (IRM base pack)" - warning: >- + warning: |- With this mod installed, dirty industry (I-D) only grows on *medium*-density industrial zones, whereas high-tech industry (I-HT) only grows on *high*-density zones. - description: > + description: | The IRM, an absolute masterpiece of a mod created by T Wrecks, redesigns all Maxis industrial Lots, giving them a complete overhaul and spicing them up with custom textures, props, and lighting. diff --git a/src/yaml/memo/region-thumbnail-fix-dll.yaml b/src/yaml/memo/region-thumbnail-fix-dll.yaml index 9383a5222..a7f2f8744 100644 --- a/src/yaml/memo/region-thumbnail-fix-dll.yaml +++ b/src/yaml/memo/region-thumbnail-fix-dll.yaml @@ -1,14 +1,17 @@ group: "memo" name: "region-thumbnail-fix-dll" -version: "1.0.0" +version: "1.0.0-1" subfolder: "150-mods" assets: - assetId: "memo-region-thumbnail-fix-dll" + withChecksum: + - include: "/memo.thumbnail-fix.dll" + sha256: 2b17a275727012c8d9d74a84035be5bdcca480bea4b23322bab3941ed14609a5 info: summary: "Fixes region thumbnail rendering bug" conflicts: "Only compatible with game version 1.1.641, the Windows digital edition." - description: > + description: | This DLL plugin fixes the rendering bug of a city's region view thumbnail that affects large screen sizes. The bug occurs with any vertical screen resolution larger than 1024 pixels. When saving a large city tile, it results in an incomplete rendering of the terrain, leading to a visible gap in the region view. @@ -19,6 +22,7 @@ info: --- assetId: "memo-region-thumbnail-fix-dll" -version: "1.0.0" +version: "1.0.0-1" lastModified: "2024-08-17T10:12:54Z" -url: "https://community.simtropolis.com/files/file/36396-region-thumbnail-fix-dll/?do=download" +nonPersistentUrl: "https://community.simtropolis.com/files/file/36396-region-thumbnail-fix-dll/?do=download" +url: "https://github.com/memo33/sc4-thumbnail-fix-dll/releases/download/1.0.0/thumbnail-fix-dll-1.0.0.zip" diff --git a/src/yaml/memo/submenus-dll.yaml b/src/yaml/memo/submenus-dll.yaml index 0c526471d..17c8cb032 100644 --- a/src/yaml/memo/submenus-dll.yaml +++ b/src/yaml/memo/submenus-dll.yaml @@ -1,16 +1,19 @@ group: "memo" name: "submenus-dll" -version: "1.1.4" +version: "1.1.4-1" subfolder: "150-mods" dependencies: - "null-45:sc4-resource-loading-hooks" assets: - assetId: "memo-submenus-dll" + withChecksum: + - include: "/memo.submenus.dll" + sha256: 2d8208ac9c9ffcfa52e16f8a3e9d23758a985d298c1397706bea2fe8479bf465 info: summary: "Adds more submenus to the game" conflicts: "Only compatible with game version 1.1.641, the Windows digital edition." - description: > + description: | This DLL plugin adds a number of submenus such as Plazas, Green Spaces, Sports and more. It is also a dependency for other submenu-compatible plugins which add items to these menus or add entirely new submenus. @@ -24,6 +27,7 @@ info: --- assetId: "memo-submenus-dll" -version: "1.1.4" +version: "1.1.4-1" lastModified: "2024-08-09T07:49:06Z" -url: "https://community.simtropolis.com/files/file/36142-submenus-dll/?do=download" +nonPersistentUrl: "https://community.simtropolis.com/files/file/36142-submenus-dll/?do=download" +url: "https://github.com/memo33/submenus-dll/releases/download/1.1.4/submenus-dll-1.1.4.zip" diff --git a/src/yaml/memo/transparent-texture-fix-dll.yaml b/src/yaml/memo/transparent-texture-fix-dll.yaml index cde8c50c9..76ca88404 100644 --- a/src/yaml/memo/transparent-texture-fix-dll.yaml +++ b/src/yaml/memo/transparent-texture-fix-dll.yaml @@ -1,14 +1,17 @@ group: "memo" name: "transparent-texture-fix-dll" -version: "1.0.0" +version: "1.0.0-1" subfolder: "150-mods" assets: - assetId: "memo-transparent-texture-fix-dll" + withChecksum: + - include: "/memo.transparent-texture-fix.dll" + sha256: 5b472588ff9a6df1628203fe26983c00cea0bbccfc1a9f755a9a03dd9c668c17 info: summary: "Fixes the underground/water view bug" conflicts: "Only compatible with game version 1.1.641, the Windows digital edition." - description: > + description: | This DLL plugin fixes the underground view bug (water bug) that occurs on lots using overlay textures without a base texture, after exiting the underground view. author: "memo" website: "https://community.simtropolis.com/files/file/36379-transparent-texture-fix-dll/" @@ -17,6 +20,7 @@ info: --- assetId: "memo-transparent-texture-fix-dll" -version: "1.0.0" +version: "1.0.0-1" lastModified: "2024-08-08T20:09:26Z" -url: "https://community.simtropolis.com/files/file/36379-transparent-texture-fix-dll/?do=download" +nonPersistentUrl: "https://community.simtropolis.com/files/file/36379-transparent-texture-fix-dll/?do=download" +url: "https://github.com/memo33/transparent-texture-fix-dll/releases/download/1.0.0/transparent-texture-fix-dll-1.0.0.zip" diff --git a/src/yaml/mgb204/rail-depot-pack.yaml b/src/yaml/mgb204/rail-depot-pack.yaml new file mode 100644 index 000000000..f41b3eac2 --- /dev/null +++ b/src/yaml/mgb204/rail-depot-pack.yaml @@ -0,0 +1,63 @@ +group: mgb204 +name: rail-depot-pack +version: "1.01" +subfolder: 100-props-textures +info: + summary: Rail Depot Pack (RDP) + description: |- + This package contains modular rail depot models, rail service platforms plus props (linked to automata) and textures to use with them. + + Whilst the idea of this package is to allow lotters to use them making Rail Depots, there are a number of user-customisable features, that any lots created with this resource can take advantage of. + + ***The main depot props have been rendered in three different ways. Two HD versions, containing higher-res textures, with either Maxis Nite or Dark Nite variants. There is also an SD Maxis Nite version for those who dislike/can't use HD models.*** + + The textures included can be customised during installation to support many different configurations. The automata props are linked to the installed automata for Rail, HSR/Monorail and GLR/EL-Rail. This means lots using them will show a users installed automata on them (limitations apply). The Depot and Automata props are provided additionally in three timed groups, for more variation. + author: mgb204 + website: https://www.sc4evermore.com/index.php/downloads/download/92-mgb204-rail-depot-pack-rdp + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/RDP_1.jpg +assets: + - assetId: mgb204-rail-depot-pack-rdp + # IMPORTANT! For some reason the rail depot pack contains two dlls when + # extracted: System.dll and nsDialogs.dll. Those are probably related to the + # installer used, but absolutely not necessary for SimCity 4 and they even + # break sc4pac! Hence we only explicitly include the .dat files/ + include: + - MGB_RDP_Resource.dat + - MGB_RDP_Textures.dat + + # Instead of providing variants, we choose for the NAM textures. Same + # holds for the NAM RRW, but apparently that is the default, so we *dont* + # include the z_RailPEG.dat and z_RailMaxis.dat files. + - zMGB_RDPTextureType_GLRNAM.dat + - zMGB_RDPTextureType_HSRNAM.dat + +variants: + - variant: { nightmode: standard, roadstyle: US } + assets: + - assetId: mgb204-rail-depot-pack-rdp + include: + - zMGB_RDPTextureType_RoadUS.dat + - MGB_RDPDepot_Props_HD-MN.dat + - variant: { nightmode: standard, roadstyle: EU } + assets: + - assetId: mgb204-rail-depot-pack-rdp + include: + - MGB_RDPDepot_Props_HD-MN.dat + - variant: { nightmode: dark, roadstyle: US } + assets: + - assetId: mgb204-rail-depot-pack-rdp + include: + - zMGB_RDPTextureType_RoadUS.dat + - MGB_RDPDepot_Props_HD-DN.dat + - variant: { nightmode: dark, roadstyle: EU } + assets: + - assetId: mgb204-rail-depot-pack-rdp + include: + - MGB_RDPDepot_Props_HD-DN.dat + +--- +assetId: mgb204-rail-depot-pack-rdp +version: "1.01" +lastModified: "2023-12-06T10:37:59.000Z" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=92%3Amgb204-rail-depot-pack-rdp diff --git a/src/yaml/mikeseith/yellow-taxi-props.yaml b/src/yaml/mikeseith/yellow-taxi-props.yaml new file mode 100644 index 000000000..592502809 --- /dev/null +++ b/src/yaml/mikeseith/yellow-taxi-props.yaml @@ -0,0 +1,21 @@ +group: mikeseith +name: yellow-taxi-props +version: "1.0" +subfolder: 100-props-textures +info: + summary: Yellow taxi props + description: |- + A set of yellow taxi props for your lots. + author: mikeseith + website: https://community.simtropolis.com/files/file/13384-yellow-taxi-props/ + images: + - https://www.simtropolis.com/objects/screens/0019/ac51a1d86453cabfc7b2427f25f09c44-taxi1.JPG + - https://www.simtropolis.com/objects/screens/0019/ac51a1d86453cabfc7b2427f25f09c44-taxi2.JPG +assets: + - assetId: mikeseith-yellow-taxi-props + +--- +assetId: mikeseith-yellow-taxi-props +version: "1.0" +lastModified: "2005-08-17T20:32:37Z" +url: https://community.simtropolis.com/files/file/13384-yellow-taxi-props/?do=download diff --git a/src/yaml/mntoes/bosham-church.yaml b/src/yaml/mntoes/bosham-church.yaml index 4e00cde25..d222f5f84 100644 --- a/src/yaml/mntoes/bosham-church.yaml +++ b/src/yaml/mntoes/bosham-church.yaml @@ -11,7 +11,7 @@ assets: info: summary: "Bosham Church, Sussex, UK" - description: > + description: | Bosham Church (Holy Trinity), established AD 850 and featured in the Bayeux tapestry depicting the visit of Harold II to the church. Situated within the Diocese of Chichester (UK), this is one of the earliest churches in Sussex. @@ -33,7 +33,7 @@ assets: info: summary: "Props and models of the Bosham Church" - description: > + description: | This is only a dependency. author: "mntoes" website: https://community.simtropolis.com/files/file/17530-bosham-church/ diff --git a/src/yaml/mushymushy/american-school-bus-props.yaml b/src/yaml/mushymushy/american-school-bus-props.yaml index bef563388..69baac626 100644 --- a/src/yaml/mushymushy/american-school-bus-props.yaml +++ b/src/yaml/mushymushy/american-school-bus-props.yaml @@ -6,7 +6,7 @@ assets: - assetId: "mushymushy-american-school-bus-props" info: summary: "HD American school bus props" - description: > + description: | This package contains 20 HD models. It has 5 different bus designs rendered in 90 degree (ortho), 45 degree (diagonal), and both 22.5 degree angles. Four of the buses are built off of a Navistar International truck chassis and the other one is a Ford E-Series bus with a handicap door. author: "MushyMushy" images: diff --git a/src/yaml/mushymushy/na-40ft-trailers-vol1.yaml b/src/yaml/mushymushy/na-40ft-trailers-vol1.yaml index 13a974aef..3e6eab0c4 100644 --- a/src/yaml/mushymushy/na-40ft-trailers-vol1.yaml +++ b/src/yaml/mushymushy/na-40ft-trailers-vol1.yaml @@ -6,7 +6,7 @@ assets: - assetId: "mushymushy-na-40ft-trailers-vol1" info: summary: "HD North American 40ft semi trailer props" - description: > + description: | This is a prop pack containing 68 unique HD 40ft semi trailer models, all of which are based on North American designs. All models are rendered at 90, 45, 22.5L, and 22.5R angles with reasonably tight LODs to provide maximum flexibility. This pack includes 40ft box trailers in several liveries with and without cabs, and later packs will include other various trailers and possibly other cabs. Trailer liveries include blank white, DHL, FedEx Express, FedEx Ground, Roadway, USPS, and Yellow. All trailers are also paired with either a Mack CH613 or a Mack MR688 in various colors. This package does not contain standalone cabs. diff --git a/src/yaml/mushymushy/na-53ft-trailers-vol1.yaml b/src/yaml/mushymushy/na-53ft-trailers-vol1.yaml index 901e499f0..eb1b05a49 100644 --- a/src/yaml/mushymushy/na-53ft-trailers-vol1.yaml +++ b/src/yaml/mushymushy/na-53ft-trailers-vol1.yaml @@ -6,7 +6,7 @@ assets: - assetId: "mushymushy-na-53ft-trailers-vol1" info: summary: "HD North American 53ft semi trailer props" - description: > + description: | This is a prop pack containing 208 unique HD 53ft semi trailer models, all of which are based on North American designs. All models are rendered at 90, 45, 22.5L, and 22.5R angles with reasonably tight LODs to provide maximum flexibility. This pack includes 53ft box trailers in several liveries with and without cabs. Trailer liveries include blank white, Best Buy, Conway, Costco, DHL, FedEx Express, FedEx Ground, Kroger, Roadway, rusty, Safeway, Target, custom black, Mushy's Random BATs, UPS, USPS, Walmart, and Yellow. All trailers are also paired with a Mack MR688, Mack CH613, Kenworth T800, Peterbilt 352, Peterbilt 359, or a custom Peterbilt 359 in various colors. This package does not contain standalone cabs. diff --git a/src/yaml/mushymushy/na-semi-truck-cabs-vol1.yaml b/src/yaml/mushymushy/na-semi-truck-cabs-vol1.yaml index ae50c25f6..40a1199f3 100644 --- a/src/yaml/mushymushy/na-semi-truck-cabs-vol1.yaml +++ b/src/yaml/mushymushy/na-semi-truck-cabs-vol1.yaml @@ -6,7 +6,7 @@ assets: - assetId: "mushymushy-na-semi-truck-cabs-vol1" info: summary: "HD North American semi truck cab props" - description: > + description: | This is a prop pack containing 64 unique HD semi truck cab props, all of which are based on North American models of various years. All models are rendered at 90, 45, 22.5L, and 22.5R angles with reasonably tight LODs to provide maximum flexibility. author: "MushyMushy" images: diff --git a/src/yaml/nam-team/tunnel-and-slope-mod.yaml b/src/yaml/nam-team/tunnel-and-slope-mod.yaml index 9d21b8b7d..fe25d5353 100644 --- a/src/yaml/nam-team/tunnel-and-slope-mod.yaml +++ b/src/yaml/nam-team/tunnel-and-slope-mod.yaml @@ -4,7 +4,7 @@ version: "0.20" subfolder: "150-mods" info: summary: "Network Addon Mod Tunnel and Slope Mod" - description: > + description: | This package provides players with additional choices for the slope parameters of surface transportation networks in the game. This collection of slope mods was designed by Lucario Boricua, author of diff --git a/src/yaml/nbvc/rock-n-stones.yaml b/src/yaml/nbvc/rock-n-stones.yaml new file mode 100644 index 000000000..2821b98da --- /dev/null +++ b/src/yaml/nbvc/rock-n-stones.yaml @@ -0,0 +1,57 @@ +group: nbvc +name: rock-n-stones +version: "1.0" +subfolder: 180-flora +info: + summary: Rock 'n' Stones + description: |- + Rocks and stones for mayor menu. + + This package contains four different types of rocks and stones: + + - Dark Rocks + - Dark Stones + - Granite Rocks (grey) + - Grey Stones + + You can change the rocks with additional clicks on the same rock. + + The rocks and stones can also be used as props in the Lot-Editor for your custom lots. + author: nbvc + website: https://community.simtropolis.com/files/file/27092-rock-n-stones/ + images: + - https://www.simtropolis.com/objects/screens/monthly_12_2011/a4763ddbee83a2a8c7b957682f4f8fa7-rocknstones1.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2011/5b664f047aa047637f0b1dea1e16c615-rocknstones2.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2011/cc3485961ce2db6d7836bae0e5fb42a1-rocknstones3.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2011/ca3917a81e2a524319ca31aa1d95b770-rocknstones4.jpg +dependencies: + - nbvc:rock-n-stones-props +assets: + - assetId: nbvc-rock-n-stones + include: + - \.dat$ + +--- +group: nbvc +name: rock-n-stones-props +version: "1.0" +subfolder: 100-props-textures +info: + summary: Rock 'n' Stones Props + description: |- + This is a dependency for `pkg=nbvc:rock-n-stones` + author: nbvc + website: https://community.simtropolis.com/files/file/27092-rock-n-stones/ + images: + - https://www.simtropolis.com/objects/screens/monthly_12_2011/ca3917a81e2a524319ca31aa1d95b770-rocknstones4.jpg +assets: + - assetId: nbvc-rock-n-stones + include: + - \.SC4Model + - \.SC4Desc + +--- +assetId: nbvc-rock-n-stones +version: "1.0" +lastModified: "2011-12-23T06:31:56Z" +url: https://community.simtropolis.com/files/file/27092-rock-n-stones/?do=download diff --git a/src/yaml/nbvc/stone-paths.yaml b/src/yaml/nbvc/stone-paths.yaml index 7c510dc49..817052aea 100644 --- a/src/yaml/nbvc/stone-paths.yaml +++ b/src/yaml/nbvc/stone-paths.yaml @@ -15,7 +15,7 @@ assets: - "/NBVC_StonePathsMMP_100.dat" info: summary: "Stone path props" - description: > + description: | This file contains stones to be used as props in the Lot-Editor for your custom lots. author: "nbvc" images: @@ -39,7 +39,7 @@ assets: - "/NBVC_StonePathsMMP_100.dat" info: summary: "Rocks for stone paths as MMPs" - description: > + description: | With the mayor menu ploppable stone paths you can create your own custom paths. You can change the MMP stones with additional clicks on the same stone. @@ -71,7 +71,7 @@ assets: - "/NBVC_StonePathS_5d420d44.SC4Lot" info: summary: "Stone paths as lots" - description: > + description: | The file contains stone paths as Lots and for mayor menu. Optionally, you can install the package `pkg=nbvc:stone-paths-mmp`, as well. diff --git a/src/yaml/neko/prop-sets.yaml b/src/yaml/neko/prop-sets.yaml index 1427ec218..1b9f8dfdf 100644 --- a/src/yaml/neko/prop-sets.yaml +++ b/src/yaml/neko/prop-sets.yaml @@ -6,16 +6,18 @@ assets: - assetId: "neko-prop-set-vol01-part1" info: summary: "Neko Prop Set 01 - part 1" - description: > + description: | Japanese props. author: "Neko Panchi" website: "http://hide-inoki.com/bbs/archives/sc4_0856.html" --- assetId: "neko-prop-set-vol01-part1" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:39:31Z" url: "http://hide-inoki.com/bbs/archives/files/1482.zip" +checksum: + sha256: 7fd3d6126f9fc100892c7f8d9e3e7a9b256f008f2cbfb14ee622063722c1c8b8 --- group: "neko" @@ -26,16 +28,18 @@ assets: - assetId: "neko-prop-set-vol01-part2" info: summary: "Neko Prop Set 01 - part 2" - description: > + description: | Japanese props. author: "Neko Panchi" website: "http://hide-inoki.com/bbs/archives/sc4_0856.html" --- assetId: "neko-prop-set-vol01-part2" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:39:38Z" url: "http://hide-inoki.com/bbs/archives/files/1483.zip" +checksum: + sha256: 3192341cf288cbc62c3e1793cab95b5e35161a6ee5504c3ffb32cc77b8686547 --- group: "neko" @@ -46,16 +50,18 @@ assets: - assetId: "neko-prop-set-vol02" info: summary: "Neko Prop Set 02" - description: > + description: | Japanese props. author: "Neko Panchi" website: "http://hide-inoki.com/bbs/archives/sc4_0837.html" --- assetId: "neko-prop-set-vol02" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:38:58Z" url: "http://hide-inoki.com/bbs/archives/files/1392.zip" +checksum: + sha256: af657c7443c46c143ea4d8db1c374f965f6d5887e1bc9176b5aad2f77654dada --- group: "neko" @@ -66,16 +72,18 @@ assets: - assetId: "neko-prop-set-vol03" info: summary: "Neko Prop Set 03" - description: > + description: | Japanese props. author: "Neko Panchi" website: "http://hide-inoki.com/bbs/archives/sc4_0837.html" --- assetId: "neko-prop-set-vol03" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:38:53Z" url: "http://hide-inoki.com/bbs/archives/files/1391.zip" +checksum: + sha256: 0312a80ad0130bbe3718176b3e11f24cc8529e5a785eaae0d4e8efa9ad5bfc59 --- group: "neko" @@ -86,7 +94,7 @@ assets: - assetId: "neko-prop-set-vol04-part1" info: summary: "Neko Prop Set 04 part 1" - description: > + description: | Japanese props. author: "Neko Panchi" website: "http://hide-inoki.com/bbs/archives/sc4_0887.html" @@ -94,8 +102,10 @@ info: --- url: "http://hide-inoki.com/bbs/archives/files/1582.zip" assetId: "neko-prop-set-vol04-part1" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:41:09Z" +checksum: + sha256: 6841c4e9887e67e9bacfb707cd0442bd30e4b5919395a1da093103d9222a1df5 --- group: "neko" @@ -106,7 +116,7 @@ assets: - assetId: "neko-prop-set-vol04-part2" info: summary: "Neko Prop Set 05" - description: > + description: | Japanese props. author: "Neko Panchi" website: "http://hide-inoki.com/bbs/archives/sc4_0887.html" @@ -114,8 +124,10 @@ info: --- url: "http://hide-inoki.com/bbs/archives/files/1581.zip" assetId: "neko-prop-set-vol04-part2" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:41:03Z" +checksum: + sha256: d82617c873ca8f9afa4e9a1a673d0f4c0b2dbebe284060a25624c4ff337a582a --- group: "neko" @@ -126,7 +138,7 @@ assets: - assetId: "neko-prop-set-vol05" info: summary: "Neko Prop Set 05" - description: > + description: | Japanese props. author: "Neko Panchi" website: "http://hide-inoki.com/bbs/archives/sc4_0887.html" @@ -134,8 +146,10 @@ info: --- url: "http://hide-inoki.com/bbs/archives/files/1592.zip" assetId: "neko-prop-set-vol05" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:41:15Z" +checksum: + sha256: 66fb3a6e7233a5f0f88f178ef88e90e5d8d99c9c0039c2edba3b6f2201fb996a --- group: "neko" @@ -151,5 +165,7 @@ info: --- url: "http://hide-inoki.com/bbs/archives/files/1580.zip" assetId: "neko-texture-set-01" -version: "1" +version: "1-1" lastModified: "2020-08-26T12:40:59Z" +checksum: + sha256: 27f44a65ae0f941f97554a48175c86f81e1a69903eb9df14fc9205a4e97ee8f6 diff --git a/src/yaml/nofunk/city-savings-bank.yaml b/src/yaml/nofunk/city-savings-bank.yaml index 8edd6631d..9407a9e4c 100644 --- a/src/yaml/nofunk/city-savings-bank.yaml +++ b/src/yaml/nofunk/city-savings-bank.yaml @@ -16,7 +16,7 @@ variants: info: summary: "Small bank building (CS$$)" - description: > + description: | The perfect addition to your neighborhood commercial districts, City Savings Bank is based on a small local bank located in Milwaukee, Wisconsin, USA. diff --git a/src/yaml/nofunk/jingo-and-blotts.yaml b/src/yaml/nofunk/jingo-and-blotts.yaml index 5f479bcae..f276cc138 100644 --- a/src/yaml/nofunk/jingo-and-blotts.yaml +++ b/src/yaml/nofunk/jingo-and-blotts.yaml @@ -16,7 +16,7 @@ variants: info: summary: "Small W2W commercial building (CS$$)" - description: > + description: | These wall-to-wall buildings grow in the Chicago tileset. author: "nofunk" website: "https://community.simtropolis.com/files/file/28680-jingo-blotts/" diff --git a/src/yaml/nofunk/renaissance-books.yaml b/src/yaml/nofunk/renaissance-books.yaml index 65e008c56..5da86c727 100644 --- a/src/yaml/nofunk/renaissance-books.yaml +++ b/src/yaml/nofunk/renaissance-books.yaml @@ -16,7 +16,7 @@ variants: info: summary: "Small used book store (CS$)" - description: > + description: | Renaissance Books is a used book store on Plankinton Avenue in downtown Milwaukee, Wisconsin. Although many of the neighboring buildings are filled with cafes and charming shops and are generally well maintained, this diff --git a/src/yaml/nofunk/sarajevo-lounge.yaml b/src/yaml/nofunk/sarajevo-lounge.yaml index 526711fff..a2275efee 100644 --- a/src/yaml/nofunk/sarajevo-lounge.yaml +++ b/src/yaml/nofunk/sarajevo-lounge.yaml @@ -18,7 +18,7 @@ info: summary: "Small restaurant and bar from Seattle (CS$)" warning: "" conflicts: "" - description: > + description: | The Sarajevo Lounge is a small restaurant and bar located at the corner of First Avenue and Battery Street just north of downtown Seattle, Washington. This charming little red and white Streamline Moderne building diff --git a/src/yaml/nofunk/wagner-ltd.yaml b/src/yaml/nofunk/wagner-ltd.yaml index 9e0092282..7831eb59e 100644 --- a/src/yaml/nofunk/wagner-ltd.yaml +++ b/src/yaml/nofunk/wagner-ltd.yaml @@ -16,7 +16,7 @@ variants: info: summary: "Small architectural services firm (CS$$)" - description: > + description: | Wagner, Ltd., is the premier architectural services firm, from concept, to design, to modding and lotting. They even reticulate splines! From the biggest office tower to the smallest bungalow, Wagner, Ltd. has got you diff --git a/src/yaml/nos17/essentials.yaml b/src/yaml/nos17/essentials.yaml index 9fc48be08..ccf3d1bab 100644 --- a/src/yaml/nos17/essentials.yaml +++ b/src/yaml/nos17/essentials.yaml @@ -7,7 +7,7 @@ assets: - assetId: "nos17-essentials" info: summary: "Props and textures made by nos.17 and Bobbo662" - description: > + description: | A small pack containing miscellaneous B62 props, custom prop families (including ones for LBT and SHK vehicles), and some custom textures. This package has no dependencies. diff --git a/src/yaml/nos17/sc2013-homes-redone.yaml b/src/yaml/nos17/sc2013-homes-redone.yaml index 0e43091aa..fdc02358e 100644 --- a/src/yaml/nos17/sc2013-homes-redone.yaml +++ b/src/yaml/nos17/sc2013-homes-redone.yaml @@ -21,7 +21,7 @@ assets: - assetId: "nos17-andisart-sc2013-homes-redone" info: summary: "A remake of AndisArt's SC2013 Inspired Homes" - description: > + description: | This relotting pack contains 12 lots, including 1x2, 1x3, 1x4, 2x4, 2x3, 2x2, 3x2, and 3x3 lots. Stats were generated with PIMX and all lots range from Stage 1-4 R$$. author: "nos.17" diff --git a/src/yaml/null-45/sc4-resource-loading-hooks.yaml b/src/yaml/null-45/sc4-resource-loading-hooks.yaml index babfa725e..c06e422b1 100644 --- a/src/yaml/null-45/sc4-resource-loading-hooks.yaml +++ b/src/yaml/null-45/sc4-resource-loading-hooks.yaml @@ -1,20 +1,24 @@ group: "null-45" name: "sc4-resource-loading-hooks" -version: "1.0" +version: "1.0.1" subfolder: "150-mods" assets: - assetId: "null-45-sc4-resource-loading-hooks" + withChecksum: + - include: "/SC4ResourceLoadingHooks.dll" + sha256: 490b0c64f86837b153349367e45609a42ac135d6bc23f46d6eab807ce233078d info: summary: "DLL that modifies resources as the game loads them" conflicts: "Only compatible with game version 1.1.641, the Windows digital edition." - description: > + description: | This DLL plugin is a dependency for other DLLs. author: "Null 45" - website: "https://github.com/0xC0000054/sc4-resource-loading-hooks/releases" + website: "https://community.simtropolis.com/files/file/36242-resource-loading-hooks-dll-for-simcity-4/" --- assetId: "null-45-sc4-resource-loading-hooks" -version: "1.0" -lastModified: "2024-03-12T10:10:56Z" -url: "https://github.com/0xC0000054/sc4-resource-loading-hooks/releases/download/v1.0/SC4ResourceLoadingHooks.zip" +version: "1.0.1" +lastModified: "2024-06-26T13:34:16Z" +nonPersistentUrl: "https://community.simtropolis.com/files/file/36242-resource-loading-hooks-dll-for-simcity-4/?do=download" +url: "https://github.com/0xC0000054/sc4-resource-loading-hooks/releases/download/v1.0.1/SC4ResourceLoadingHooks.zip" diff --git a/src/yaml/nybt/essentials.yaml b/src/yaml/nybt/essentials.yaml index 5af238fde..242814398 100644 --- a/src/yaml/nybt/essentials.yaml +++ b/src/yaml/nybt/essentials.yaml @@ -5,7 +5,7 @@ subfolder: 100-props-textures info: summary: Query windows for NYBT BATs - description: > + description: | This package is a shared dependency of many NYBT BATs and includes standard NYBT query windows for most common building types and a special 9/11 query. author: "Gwail, Aaron Graham, Kelis, NYBT" diff --git a/src/yaml/onlyplace4/logging-props.yaml b/src/yaml/onlyplace4/logging-props.yaml new file mode 100644 index 000000000..fd530bf1a --- /dev/null +++ b/src/yaml/onlyplace4/logging-props.yaml @@ -0,0 +1,19 @@ +group: onlyplace4 +name: logging-props +version: "1.0" +subfolder: 100-props-textures +info: + summary: Logging Props + author: onlyplace4 + website: https://community.simtropolis.com/files/file/15235-logging-props/ + images: + - https://www.simtropolis.com/objects/screens/0023/d556827f1c208b941e850c6d1acfa4bb-LoggingProps_day.jpg + - https://www.simtropolis.com/objects/screens/0023/d556827f1c208b941e850c6d1acfa4bb-LoggingProps_night.jpg +assets: + - assetId: onlyplace4-logging-props + +--- +assetId: onlyplace4-logging-props +version: "1.0" +lastModified: "2006-03-12T11:52:31Z" +url: https://community.simtropolis.com/files/file/15235-logging-props/?do=download diff --git a/src/yaml/orange/aesculus.yaml b/src/yaml/orange/aesculus.yaml index 8bfb8777d..a2b725dc5 100644 --- a/src/yaml/orange/aesculus.yaml +++ b/src/yaml/orange/aesculus.yaml @@ -7,7 +7,7 @@ assets: - assetId: "vip-orange-aesculus" info: summary: "Aesculus seasonal flora (VIP)" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Orange_o_" diff --git a/src/yaml/orange/agri-pack.yaml b/src/yaml/orange/agri-pack.yaml index 08c4b9a39..752ecfc55 100644 --- a/src/yaml/orange/agri-pack.yaml +++ b/src/yaml/orange/agri-pack.yaml @@ -6,7 +6,7 @@ assets: - assetId: "vip-orange-agri-pack" info: summary: "Ploppable wheat harvesting props, tractors and agricultural machinery (VIP)" - description: > + description: | This package contains props and mayor-mode ploppables (MMPs) related to wheat harvesting. author: "Orange_o_" website: "https://community.simtropolis.com/files/file/27906-vip-orange-agripack-v2/" diff --git a/src/yaml/orange/fagus.yaml b/src/yaml/orange/fagus.yaml index 2961961f6..cded8a6c6 100644 --- a/src/yaml/orange/fagus.yaml +++ b/src/yaml/orange/fagus.yaml @@ -7,7 +7,7 @@ assets: - assetId: "vip-orange-fagus-seasonal-flora" info: summary: "Fagus seasonal flora (VIP)" - description: > + description: | Tree props and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Orange_o_" diff --git a/src/yaml/orange/mega-props.yaml b/src/yaml/orange/mega-props.yaml index 7fcc7ab1c..ee4a73b13 100644 --- a/src/yaml/orange/mega-props.yaml +++ b/src/yaml/orange/mega-props.yaml @@ -6,13 +6,13 @@ info: summary: "European props" description: | This pack includes: - European cars available from 3 angles - Utility vehicles (DDE, La Poste, Avis...) - A kit for sorting (container, skip...) - A sports course pack - Various public signs - Some plants including street trees - Benches, street lamps, and various small things + * European cars available from 3 angles + * Utility vehicles (DDE, La Poste, Avis...) + * A kit for sorting (container, skip...) + * A sports course pack + * Various public signs + * Some plants including street trees + * Benches, street lamps, and various small things author: "Orange_o_" images: - "https://www.sc4evermore.com/images/jdownloads/screenshots/TSC%20Props%20Pack%20-%20Orange%20Mega%20Props%20Vol01%20v2.jpg" diff --git a/src/yaml/paeng/streetside-diagonal-parking.yaml b/src/yaml/paeng/streetside-diagonal-parking.yaml new file mode 100644 index 000000000..01d558645 --- /dev/null +++ b/src/yaml/paeng/streetside-diagonal-parking.yaml @@ -0,0 +1,48 @@ +group: paeng +name: streetside-diagonal-parking +version: "1.0" +subfolder: 700-transit +info: + summary: Paeng's StreetSide Diagonal Parking (SSDP) + description: | + A small set of four lots for diagonal parking that comes in three flavors: + - Standalone + - Parks205 Sidings + - BikePaths-compatible + + All items can be found in the 'Transport | Miscellaneous' menu with custom icons. + The Left/Right Ends of each version are functional parking and generate a small income. + All items are compatible with any installed sidewalk mods. + author: paeng + website: https://community.simtropolis.com/files/file/31162-paengs-streetside-diagonal-parking-ssdp/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2016_07/SSDP_Day.thumb.jpg.6d2e160b293f41002a6928fb70e9a63f.jpg + - https://www.simtropolis.com/objects/screens/monthly_2016_07/SSDP_Night.thumb.jpg.ba63cda1f86cdfb9ff9cee0e0fe6f68a.jpg + +dependencies: + - shk:parking-pack + - bsc:mega-props-sg-vol01 +assets: + - assetId: paeng-streetside-diagonal-parking + exclude: + - KEEP_SSDP_Resource.dat + +--- +group: paeng +name: streetside-diagonal-parking-textures +version: "1.0" +subfolder: 100-props-textures +info: + summary: Textures for paeng's StreetSide Diagonal Parking (SSDP) + author: paeng + website: https://community.simtropolis.com/files/file/31162-paengs-streetside-diagonal-parking-ssdp/ +assets: + - assetId: paeng-streetside-diagonal-parking + include: + - KEEP_SSDP_Resource.dat + +--- +assetId: paeng-streetside-diagonal-parking +version: "1.0" +lastModified: "2021-01-18T20:06:11Z" +url: https://community.simtropolis.com/files/file/31162-paengs-streetside-diagonal-parking-ssdp/?do=download diff --git a/src/yaml/parisian/220-south-central-park.yaml b/src/yaml/parisian/220-south-central-park.yaml new file mode 100644 index 000000000..5693d44ff --- /dev/null +++ b/src/yaml/parisian/220-south-central-park.yaml @@ -0,0 +1,33 @@ +group: parisian +name: 220-south-central-park +version: "1.1.0" +subfolder: 360-landmark +info: + summary: 220 South Central Park (NYBT) + description: | + 220 South Central Park, is a skyscraper in Midtown Manhattan on 58th W between 7th and 8th. + This building is part of the new skyline of New York (along with the Nordstrom in the same area). + + This file contains only the tallest structure of the complex (including 2 buildings, one measuring 952ft (290m - 66floors) and another one smaller, located on the central park south lane, not included in this file). + author: Parisian + website: https://community.simtropolis.com/files/file/30728-nybt-parisian-220-south-central-park/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2015_08/220_Central_Park_South7.thumb.png.e6b7ba7adff553e3c5af6545e6b6e623.png + - https://www.simtropolis.com/objects/screens/monthly_2015_08/220_Central_Park_South2.thumb.png.64cbf0b9d11345cca80ee55cf54fac9c.png + - https://www.simtropolis.com/objects/screens/monthly_2015_08/200_South_Central_Park2.thumb.png.61172ab2e4b16ebb6c36cd4061e26fcc.png + - https://www.simtropolis.com/objects/screens/monthly_2015_08/200_South_Central_Park.thumb.png.ebc75c9709c624cc66de9eec401d6e80.png + - https://www.simtropolis.com/objects/screens/monthly_2015_08/200_South_Central_Park3.thumb.png.c056d1a1d68226ea4984199f87885bc7.png + - https://www.simtropolis.com/objects/screens/monthly_2015_08/200_South_Central_Park4.thumb.png.6873e70fdd8ada04def0419953e18384.png + - https://www.simtropolis.com/objects/screens/monthly_2022_07/62e3c57f35bc6_NYBTParisian220CentralParkSouthv1-d.thumb.jpg.7327b109948eec2e90360c0e228cbd7b.jpg + - https://www.simtropolis.com/objects/screens/monthly_2022_07/62e3c57fe419f_NYBTParisian220CentralParkSouthv1-n.thumb.jpg.45585309c8619f0899e8a1854b26f4e4.jpg + - https://www.simtropolis.com/objects/screens/monthly_2022_07/62e3c5804bbf3_NYBTParisian220CentralParkSouthv2-d.thumb.jpg.35bfad42de36ab34e6686f8e780b9919.jpg + - https://www.simtropolis.com/objects/screens/monthly_2022_07/62e3c580c6daf_NYBTParisian220CentralParkSouthv2-n.thumb.jpg.c648e91e12a479be487bd9ff1c187406.jpg + +assets: + - assetId: parisian-220-south-central-park-v2 + +--- +assetId: parisian-220-south-central-park-v2 +version: "1.1.0" +lastModified: "2022-07-29T11:33:14Z" +url: https://community.simtropolis.com/files/file/30728-nybt-parisian-220-south-central-park/?do=download&r=194844 diff --git a/src/yaml/peg/abyss-garbage-chute.yaml b/src/yaml/peg/abyss-garbage-chute.yaml new file mode 100644 index 000000000..d60f25ffd --- /dev/null +++ b/src/yaml/peg/abyss-garbage-chute.yaml @@ -0,0 +1,33 @@ +group: peg +name: abyss-garbage-chute +version: "2.05" +subfolder: 500-utilities +info: + summary: Abyss Garbage Chute + description: | + For hundreds of years, Sim-kind labored under the belief that the world was round. But then, as any schoolchild will tell you, Simlumbus set off to sail around the world in his three ships; the Simna, the Simta & the Santa Simria. He sailed off the edge, into the Abyss and was never heard from again. And that's why nothing is named after him today. + + With the modern invention of aviation and orthographic gaming views, we can now clearly see the edge of our world. Today, we never attempt to navigate beyond it without the protection of The Yellow Arrow. Some scientists... and far too many philosophers, have pondered as to what lies at the bottom of The Abyss. But even today, no one really knows and most of us just don't care. + + Capitalizing on this general uncaring spirit, Pegadyne Industries has developed the new Garbage Chute... a small & affordable refuse disposal system that simply tosses our trash over the side. Why allow it to pile up when we can just as easily chuck it into the Abyss? Oh sure, the environmentalists are all in a huff... claiming that the Abyss will be ruined for future generations. And of course, a few attorneys have filed lawsuits claiming to represent the 'Denizens of The Abyss'. But the primary concern has been focused on what actually happens to the trash. + + One popular theory is that it simply burns up in the fires of Hell. But federally subsidized research, supported by historic maps that clearly state that "Here There Be Dragons...", indicates that these dragons consider garbage to be a 'delicacy' and delightfully gobble it up with no complaint. + + author: Pegasus + website: https://community.simtropolis.com/files/file/4569-peg%C2%A0abyss-garbage-chute/ + images: + - https://www.simtropolis.com/objects/screens/monthly_11_2004/thumb-76dfbcf9da1a4cb3ef23be96d05017b1-product_image2.jpg + +dependencies: + - peg:cdk-rec-seawall-kit-vol1 +assets: + - assetId: peg-abyss-garbage-chute + +--- +assetId: peg-abyss-garbage-chute +version: "2.05" +lastModified: "2004-10-29T00:57:14Z" +url: https://community.simtropolis.com/files/file/4569-peg%C2%A0abyss-garbage-chute/?do=download +archiveType: + format: Clickteam + version: "20" diff --git a/src/yaml/peg/cdk-rec-seawall-kit.yaml b/src/yaml/peg/cdk-rec-seawall-kit.yaml new file mode 100644 index 000000000..b14cdd738 --- /dev/null +++ b/src/yaml/peg/cdk-rec-seawall-kit.yaml @@ -0,0 +1,29 @@ +group: peg +name: cdk-rec-seawall-kit-vol1 +version: "1.0" +subfolder: 100-props-textures +info: + summary: CDK-REC Seawall Kit Vol. 1 + description: | + Although this file was intended primarily as a dependency for future PEG-CDK REC lots, it can also be used by lot developers to create their own CDK styled lots. + + The official CDK REC lots use single piece, custom foundation props for each lot which are fixed in size to the specific lot and are largely not re-useable. + + However, the basic seawall has now been broken down in to its basic components and re-created as individual prop pieces that you can assemble in the Lot Editor. + author: Pegasus + website: https://community.simtropolis.com/files/file/11773-peg-cdk-rec-seawall-kit-vol-1/ + images: + - https://www.simtropolis.com/objects/screens/monthly_02_2005/thumb-18fcced3f66c544b98d15efc023340a7-product_image.jpg + - https://www.simtropolis.com/objects/screens/monthly_02_2005/thumb-18fcced3f66c544b98d15efc023340a7-product_image2.jpg + +assets: + - assetId: peg-cdk-rec-seawall-kit-vol1 + +--- +assetId: peg-cdk-rec-seawall-kit-vol1 +version: "1.0" +lastModified: "2005-02-24T19:19:33Z" +url: https://community.simtropolis.com/files/file/11773-peg-cdk-rec-seawall-kit-vol-1/?do=download +archiveType: + format: Clickteam + version: "20" diff --git a/src/yaml/peg/cdk3-sp-rail-fleet.yaml b/src/yaml/peg/cdk3-sp-rail-fleet.yaml new file mode 100644 index 000000000..0bdc1ae0c --- /dev/null +++ b/src/yaml/peg/cdk3-sp-rail-fleet.yaml @@ -0,0 +1,25 @@ +group: peg +name: cdk3-sp-rail-fleet +version: "1.0" +subfolder: 100-props-textures +info: + summary: CDK3 SP Rail Fleet + description: |- + This is a RESOURCE file for the PEG-CDK3 Seaport collection of lots. + + The pack contains a ton of static, timed and random rolling stock & locomotive props. These are intended for use as props on various lots. These are NOT game automata... + + As the game automata trains are considerably under scaled, these props are larger... and scaled to look more appropriate on lots with properly scaled structures, vehicles, peeps and other props. + author: Pegasus + website: https://community.simtropolis.com/files/file/19786-peg-cdk3-sp-rail-fleet/ + images: + - https://www.simtropolis.com/objects/screens/0005/2486e017b6687d2453d8105021e06971-product_image.jpg + - https://www.simtropolis.com/objects/screens/0005/2486e017b6687d2453d8105021e06971-product_image1.jpg +assets: + - assetId: peg-cdk3-sp-rail-fleet + +--- +assetId: peg-cdk3-sp-rail-fleet +version: "1.0" +lastModified: "2008-05-09T09:27:25Z" +url: https://community.simtropolis.com/files/file/19786-peg-cdk3-sp-rail-fleet/?do=download diff --git a/src/yaml/peg/cdk3-vehicle-pack-1.yaml b/src/yaml/peg/cdk3-vehicle-pack-1.yaml new file mode 100644 index 000000000..d83481f36 --- /dev/null +++ b/src/yaml/peg/cdk3-vehicle-pack-1.yaml @@ -0,0 +1,30 @@ +group: peg +name: cdk3-vehicle-pack-1 +version: "1.0" +subfolder: 100-props-textures +info: + summary: CDK3 Vehicle Pack 1 + description: |- + This one of several resource or "dependency" files required for the new Coastal Development Kit (CDK3) industrial style. This new style is designed to add new industry specific lots to the CDK. It is not intended as a replacement for any other CDK style. + + The resource pack includes 20 new truck props that will be used in the various CDK3 lots. The included props are: + + - 6 Semi Trailers (5 van & 1 flatbed) + - 6 Semi Tractors (3 conventional style & 3 cab-over style) + - 3 Semi Tractor & Trailer combination props + - 2 Bobtail style trucks + - 3 smaller Flatbed Trucks + + Additionally, this prop pack includes several defined Prop Families for added random variation on the various lots that use them. There are also several timed versions of each truck prop to create a shuffling effect as the props appear, disappear and change throughout the day. + author: Pegasus + website: https://community.simtropolis.com/files/file/19267-peg-cdk3-vehicle-pack-1/ + images: + - https://www.simtropolis.com/objects/screens/0021/bdf4ae671631364a1f9565c394f30e1f-product_image.jpg +assets: + - assetId: peg-cdk3-vehicle-pack-1 + +--- +assetId: peg-cdk3-vehicle-pack-1 +version: "1.0" +lastModified: "2008-01-22T09:22:38Z" +url: https://community.simtropolis.com/files/file/19267-peg-cdk3-vehicle-pack-1/?do=download diff --git a/src/yaml/peg/mtp-logging-resource.yaml b/src/yaml/peg/mtp-logging-resource.yaml new file mode 100644 index 000000000..a3fb94066 --- /dev/null +++ b/src/yaml/peg/mtp-logging-resource.yaml @@ -0,0 +1,18 @@ +group: peg +name: mtp-logging-resource +version: "1.0" +subfolder: 100-props-textures +info: + summary: MTP Logging Resource + author: Pegasus + website: http://community.simtropolis.com/files/file/20965-peg-mtp-logging-resource/ + images: + - https://www.simtropolis.com/objects/screens/0008/425f2f302e490a07b7ec08d8ab192007-product_image.jpg +assets: + - assetId: peg-mtp-logging-resource + +--- +assetId: peg-mtp-logging-resource +version: "1.0" +lastModified: "2009-01-11T09:08:22Z" +url: https://community.simtropolis.com/files/file/20965-peg-mtp-logging-resource/?do=download diff --git a/src/yaml/peg/power-tower-pylons.yaml b/src/yaml/peg/power-tower-pylons.yaml index 1a28374be..f807ba375 100644 --- a/src/yaml/peg/power-tower-pylons.yaml +++ b/src/yaml/peg/power-tower-pylons.yaml @@ -6,7 +6,7 @@ assets: - assetId: "peg-power-tower-pylons" info: summary: "Reskin of the game's power transmission towers" - description: > + description: | A simple mod that reskins the existing game default power transmission towers to a consistent silvery-gray / oxidized metal color. author: "Pegasus" diff --git a/src/yaml/peg/security-fencing-kit.yaml b/src/yaml/peg/security-fencing-kit.yaml index 684f09fd8..e1d3de7df 100644 --- a/src/yaml/peg/security-fencing-kit.yaml +++ b/src/yaml/peg/security-fencing-kit.yaml @@ -6,7 +6,7 @@ assets: - assetId: "peg-security-fencing-kit" info: summary: "Collection of chain link fence props" - description: > + description: | This resource pack is a collection of chain link fence props that can be used on any type of lot that requires security fencing. The props in this pack may be used by other developers to enhance the appearance of their lots. diff --git a/src/yaml/peg/spot.yaml b/src/yaml/peg/spot.yaml index 577584315..855654c77 100644 --- a/src/yaml/peg/spot.yaml +++ b/src/yaml/peg/spot.yaml @@ -7,7 +7,7 @@ assets: info: summary: "Simpeg Plop Orientation Tool (SPOT)" website: "https://community.simtropolis.com/files/file/24509-spot-simpeg-plop-orientation-tool/" - description: > + description: | This is a set of props you can add to your lots to aid the player in seeing how to orient the lot. Where needed, these will be used on Simpeg Team Projects, at the developers discretion. diff --git a/src/yaml/peg/statue-collection.yaml b/src/yaml/peg/statue-collection.yaml index e499b998e..f711b4034 100644 --- a/src/yaml/peg/statue-collection.yaml +++ b/src/yaml/peg/statue-collection.yaml @@ -11,7 +11,7 @@ subfolder: "100-props-textures" info: summary: "Marine animal and other statues by Pegasus" website: "https://community.simtropolis.com/files/file/23985-peg-statue-collection-01/" - description: > + description: | The Statue Collection 01 started out the whole statue craze with a request to re-texture the whale, shark & dolphin statues used in the old RTK kit. It mushroomed into a larger collection of statues intended for use along beaches & the CDK3 shorelines... then expanded further to include a variety of both practical and whimsical statues. Pretty much anything we could put on pedestal and give a patina finish to... we made into a statue. Feel free to use them in the lots you develop and distribute. Enjoy!! These custom props are free to use and distribute in lots your create for your own use or to publicly distribute. If re-distributed, please reference the original prop pack as a dependency. Do not copy and redistribute the original prop material. Most of the props are larger in-game than the their bounding boxes will indicate in the Lot Editor. Most notably, the statues with longer tails may extend beyond the tile that the prop is placed on. diff --git a/src/yaml/peg/the-classics.yaml b/src/yaml/peg/the-classics.yaml index bac75f4f1..e051b0937 100644 --- a/src/yaml/peg/the-classics.yaml +++ b/src/yaml/peg/the-classics.yaml @@ -5,7 +5,7 @@ subfolder: "100-props-textures" info: summary: "Classical statue props by Pegasus" website: "https://community.simtropolis.com/files/file/23982-the-classics/" - description: > + description: | The Classics is a collection of classic statue props that you can use in the Lot Editor to make parks, museums, art galleries... or whatever your imagination comes up with. Enjoy!! author: "Pegasus" images: diff --git a/src/yaml/porkissimo/jenx-porkie-expanded-porkie-props.yaml b/src/yaml/porkissimo/jenx-porkie-expanded-porkie-props.yaml index 224c424ea..9658fbc68 100644 --- a/src/yaml/porkissimo/jenx-porkie-expanded-porkie-props.yaml +++ b/src/yaml/porkissimo/jenx-porkie-expanded-porkie-props.yaml @@ -8,10 +8,11 @@ info: summary: "JENX-Porkie Expanded Porkie Props" description: | Updated and expanded version of Porkie Props. + Replaces: - 1.) PorkieProps-Vol1.dat - 2.) PorkieProps-Vol2.dat - 3.) JENXPARIS_Tweaked_PorkieProps-Vol1.dat + 1. `PorkieProps-Vol1.dat` + 2. `PorkieProps-Vol2.dat` + 3. `JENXPARIS_Tweaked_PorkieProps-Vol1.dat` author: "Porkissimo; Xannepan" website: "https://www.sc4evermore.com/index.php/downloads/download/22-dependencies/10-jenxporkie-expanded-porkie-props" diff --git a/src/yaml/rivit/thalys-high-speed-train.yaml b/src/yaml/rivit/thalys-high-speed-train.yaml new file mode 100644 index 000000000..fcd188af6 --- /dev/null +++ b/src/yaml/rivit/thalys-high-speed-train.yaml @@ -0,0 +1,42 @@ +group: "rivit" +name: "thalys-high-speed-train-rail" +version: "1.0" +subfolder: "710-automata" +info: + summary: "Replaces the passenger rail automata with a Thalys model" + description: | + See also `pkg=rivit:thalys-high-speed-train-hsr`. + author: "rivit" + images: + - "https://www.simtropolis.com/objects/screens/monthly_2017_10/Thalys.jpg.f045e81272851eea390036972350a9c9.jpg" + website: "https://community.simtropolis.com/files/file/31974-thalys-high-speed-train/" + +assets: + - assetId: "rivit-thalys-high-speed-train" + include: + - Thalys Train.dat + +--- +group: "rivit" +name: "thalys-high-speed-train-hsr" +version: "1.0" +subfolder: "710-automata" +info: + summary: "Replaces the HSR automata with a Thalys model" + description: | + See also `pkg=rivit:thalys-high-speed-train-rail`. + author: "rivit" + images: + - "https://www.simtropolis.com/objects/screens/monthly_2017_10/Thalys.jpg.f045e81272851eea390036972350a9c9.jpg" + website: "https://community.simtropolis.com/files/file/31974-thalys-high-speed-train/" + +assets: + - assetId: "rivit-thalys-high-speed-train" + include: + - Thalys HSR.dat + +--- +url: "https://community.simtropolis.com/files/file/31974-thalys-high-speed-train/?do=download" +assetId: "rivit-thalys-high-speed-train" +version: "1.0" +lastModified: "2017-10-14T22:34:50Z" diff --git a/src/yaml/rretail/roadside-rest-area.yaml b/src/yaml/rretail/roadside-rest-area.yaml new file mode 100644 index 000000000..4180275e3 --- /dev/null +++ b/src/yaml/rretail/roadside-rest-area.yaml @@ -0,0 +1,58 @@ +group: rretail +name: roadside-rest-area +version: "1.1" +subfolder: 700-transit +info: + summary: Roadside Rest Area + description: | + This rest area building and lot are inspired by the design of the Campbell, NY rest area along I-86 in western New York. + + It comes in a size 4x15 lot which acts as a bus stop in game. Both lots also feature transit connection with one way streets for a better transition with the NAM system. + + author: RRetail, kingofsimcity + website: https://community.simtropolis.com/files/file/32713-roadside-rest-area/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2019_01/5c390a715e64a_RRRestArea.jpg.ad03d3d89fd442749dad7f6e6ad26024.jpg + - https://www.simtropolis.com/objects/screens/monthly_2019_01/5c390bfd4ab34_RRRestArea.jpg.777fc21e2c96ebc42e434dd806cb551d.jpg + +dependencies: + - mushymushy:na-53ft-trailers-vol1 + - bsc:mega-props-dae-vol01 + - shk:parking-pack + - supershk:mega-parking-textures + - supershk:fa3-parking-textures + - kingofsimcity:superpaths-pathway-textures + - rretail:mega-prop-pack-vol1 + - girafe:ashes + - girafe:beeches + - girafe:berries + - girafe:birches + - girafe:chestnuts + - girafe:elms + - girafe:feather-grass + - girafe:hedges + - girafe:lindens + - girafe:maples-v2 + - girafe:narcissus + - girafe:poplars + - girafe:rowan-trees + - girafe:sparaxis + - girafe:walnut-trees + +variants: + - variant: { driveside: right } + assets: + - assetId: rretail-roadside-rest-area + exclude: + - _LHD_ + - variant: { driveside: left } + assets: + - assetId: rretail-roadside-rest-area + exclude: + - _RHD_ + +--- +assetId: rretail-roadside-rest-area +version: "1.1" +lastModified: "2020-06-20T00:59:49Z" +url: https://community.simtropolis.com/files/file/32713-roadside-rest-area/?do=download diff --git a/src/yaml/scotty222/one-us-bank-plaza.yaml b/src/yaml/scotty222/one-us-bank-plaza.yaml new file mode 100644 index 000000000..e49d477b3 --- /dev/null +++ b/src/yaml/scotty222/one-us-bank-plaza.yaml @@ -0,0 +1,28 @@ +group: scotty222 +name: one-us-bank-plaza +version: "1.0" +subfolder: 300-commercial +info: + summary: One US Bank Plaza + description: | + One US Bank Plaza, St Louis, MO + + Comes as a ploppable and growable + + * CO$$ + * 3500 jobs + * 4x2 lot + author: scotty222 + website: https://community.simtropolis.com/files/file/26819-one-us-bank-plaza/ + images: + - https://www.simtropolis.com/objects/screens/monthly_09_2011/4cf243e14113825fbb0b802b962b78e1-us_bank_day.jpg + - https://www.simtropolis.com/objects/screens/monthly_09_2011/4f52f4d45495728ba02058876fd36348-us_bank_night.jpg + +assets: + - assetId: scotty222-one-us-bank-plaza + +--- +assetId: scotty222-one-us-bank-plaza +version: "1.0" +lastModified: "2011-09-29T03:41:25Z" +url: https://community.simtropolis.com/files/file/26819-one-us-bank-plaza/?do=download diff --git a/src/yaml/scotty222/safeco-plaza.yaml b/src/yaml/scotty222/safeco-plaza.yaml new file mode 100644 index 000000000..cbfb3668d --- /dev/null +++ b/src/yaml/scotty222/safeco-plaza.yaml @@ -0,0 +1,37 @@ +group: scotty222 +name: safeco-plaza +version: "1.0" +subfolder: 300-commercial +info: + summary: Safeco Plaza + description: | + Safeco Plaza, previously 1001 Fourth Avenue Plaza, and the Seattle First National Bank Building is a 50 storey, 192 m (630 ft) skyscraper in downtown Seattle, WA. The tower is nicknamed "the Box the Space Needle came in" by locals. When the tower was completed in 1969 it dwarfed the Smith Tower which had been the cities tallest since 1914 and edged out the Space Needle. + + Includes a CO$$ grow and a CO$$ plop both on a 3x4 lot and both with 4749 jobs. + author: scotty222 + website: https://community.simtropolis.com/files/file/29721-safeco-plaza/ + images: + - https://www.simtropolis.com/objects/screens/monthly_07_2014/34b79633a67ad157898b3cc147a15aa1-safeco-preview.jpg + - https://www.simtropolis.com/objects/screens/monthly_07_2014/65af1f61a5296066af650e26ab60c25a-safeco-day.jpg + - https://www.simtropolis.com/objects/screens/monthly_07_2014/58f223ecdc81e62d5c8be0e214f5d8f4-safeco-night.jpg + +variants: +- variant: { nightmode: standard } + assets: + - assetId: scotty222-safeco-plaza-maxisnite +- variant: { nightmode: dark } + dependencies: ["simfox:day-and-nite-mod"] + assets: + - assetId: scotty222-safeco-plaza-darknite + +--- +assetId: scotty222-safeco-plaza-maxisnite +version: "1.0" +lastModified: "2014-07-07T01:34:38Z" +url: https://community.simtropolis.com/files/file/29721-safeco-plaza/?do=download&r=137274 + +--- +assetId: scotty222-safeco-plaza-darknite +version: "1.0" +lastModified: "2014-07-07T01:34:38Z" +url: https://community.simtropolis.com/files/file/29721-safeco-plaza/?do=download&r=137275 diff --git a/src/yaml/scotty222/toronto-dominion-tower.yaml b/src/yaml/scotty222/toronto-dominion-tower.yaml new file mode 100644 index 000000000..75d91dfa6 --- /dev/null +++ b/src/yaml/scotty222/toronto-dominion-tower.yaml @@ -0,0 +1,42 @@ +group: scotty222 +name: toronto-dominion-tower +version: "1.0" +subfolder: 300-commercial +info: + summary: Toronto Dominion Tower + description: | + TD tower is located at 700 West Georgia Street in Downtown Vancouver, BC, Canada. The skyscraper stands at 127 m or 30 stories tall and was completed in 1972. + + Included is a CO$$ Growable and Ploppable + + - 3x3 lot + - 1565 CO$$ jobs + - Stage 8 + - Houston & Euro Tilesets + author: scotty222 + website: https://community.simtropolis.com/files/file/28578-toronto-dominion-tower/ + images: + - https://www.simtropolis.com/objects/screens/monthly_03_2013/7b227dee7b798ae830fda63efddcd686-td.jpg + - https://www.simtropolis.com/objects/screens/monthly_03_2013/acb3bc5540317619387857ce13c5fda4-td2.jpg + - https://www.simtropolis.com/objects/screens/monthly_03_2013/8b716f6b1ec47f200c05ed27395e91ac-td1.jpg + +variants: +- variant: { nightmode: standard } + assets: + - assetId: scotty222-toronto-dominion-tower-maxisnite +- variant: { nightmode: dark } + dependencies: ["simfox:day-and-nite-mod"] + assets: + - assetId: scotty222-toronto-dominion-tower-darknite + +--- +assetId: scotty222-toronto-dominion-tower-maxisnite +version: "1.0" +lastModified: "2013-03-17T09:59:43Z" +url: https://community.simtropolis.com/files/file/28578-toronto-dominion-tower/?do=download&r=113279 + +--- +assetId: scotty222-toronto-dominion-tower-darknite +version: "1.0" +lastModified: "2013-03-17T09:59:43Z" +url: https://community.simtropolis.com/files/file/28578-toronto-dominion-tower/?do=download&r=113280 diff --git a/src/yaml/scoty/zoning-mod.yaml b/src/yaml/scoty/zoning-mod.yaml index 0942c32d2..25983e254 100644 --- a/src/yaml/scoty/zoning-mod.yaml +++ b/src/yaml/scoty/zoning-mod.yaml @@ -7,10 +7,10 @@ assets: include: [ "/scoty_ZManag_maxis.dat" ] info: summary: Increase maximum size for all zones and remove 4×4 minimum size limit from agricultural zones - conflicts: >- + conflicts: |- Incompatible with other zoning mods such as Tropod's, Fukuda's, ReZonePlus or the one included with SPAM. Only the one loading last takes effect. - description: > + description: | This package only includes the Maxis style of the Zoning Manager from the original mod. author: "hugues aroux" website: "https://community.simtropolis.com/files/file/33590-scoty-zoning-mod/" diff --git a/src/yaml/sfbt/churches-and-cemeteries.yaml b/src/yaml/sfbt/churches-and-cemeteries.yaml index 45ae256a8..a9b17cb45 100644 --- a/src/yaml/sfbt/churches-and-cemeteries.yaml +++ b/src/yaml/sfbt/churches-and-cemeteries.yaml @@ -18,7 +18,7 @@ assets: info: summary: "Replacement of Maxis churches and cemeteries" - description: > + description: | This mod contains four different church and three different cemetery lots which replace the Maxis reward lots completely. It is recommended to demolish the original Maxis lots before installing this mod. diff --git a/src/yaml/sfbt/essentials.yaml b/src/yaml/sfbt/essentials.yaml index c0887a40d..96d5bcc3d 100644 --- a/src/yaml/sfbt/essentials.yaml +++ b/src/yaml/sfbt/essentials.yaml @@ -71,7 +71,7 @@ variantDescriptions: info: summary: "Custom UIs, textures and props for SFBT lots" - description: > + description: | The SFBT Essentials contain the custom UIs that every SFBT lot uses, as well as shared textures and prop packs. Additionally, the package contains several choosable variants of tree families that are used by SFBT lots as well as the SFBT street tree mod. diff --git a/src/yaml/sfbt/kenworth-commuter-stations.yaml b/src/yaml/sfbt/kenworth-commuter-stations.yaml index bbfaa0268..a5b3e93d7 100644 --- a/src/yaml/sfbt/kenworth-commuter-stations.yaml +++ b/src/yaml/sfbt/kenworth-commuter-stations.yaml @@ -11,7 +11,7 @@ assets: info: summary: "Two simple German bus stops" - description: > + description: | Gooooooooooong! "Attention on platform two! Now arriving Regio Runner to Leipzig Central Station! Please stand clear of the edge of platform two!" - This or something similar takes place on Germany's train stations every day. Unfortunately, the number of German train stations for SimCity was next to nonexistant. diff --git a/src/yaml/sfbt/kenworth-rail-catenaries.yaml b/src/yaml/sfbt/kenworth-rail-catenaries.yaml new file mode 100644 index 000000000..f7bead286 --- /dev/null +++ b/src/yaml/sfbt/kenworth-rail-catenaries.yaml @@ -0,0 +1,59 @@ +group: sfbt +name: kenworth-rail-catenaries +version: "2" +subfolder: 700-transit +info: + summary: SFBT Kenworth Rail Catenaries + description: |- + Catenaries (overhead wires) for railways are mainly used to supply electric locomotives with power. They consist of a special wire that hangs above the tracks. The height can differ from country to country. The pantograph that is mounted on top of a locomotive is in constant touch with the wires, so it can conduct power to the electric generators and engines of the vehicle. + This set includes 17 different lots that can be placed next to your railway tracks, some of them are transit enabled and can be placed directly onto the tracks, this is useful in tight spaces, such as in downtown situations. All lots feature a transparent base texture and can be used with all available terrain mods. + + The lots can be found in the lower part of the power menu (or in the **Miscellaneous Power Utilities Submenu**) and also provide support for `pkg=memo:submenus-dll`. Place them every other two tiles next to your railway tracks. The lots don't have a base texture, so you can use them with every terrain mod. The catenary props extend over the lot borders and show up directly above the adjacent tracks. Some lots are transit enabled and can be placed directly onto the tracks. This is useful in tight situations, such as the tracks in front of a large railway station. It is advisable to use a rail texture mod, such as PEG's and Swamper77's "No Rail Dirt" mod or PEG's "Alternate Rail Set Mod", which will prevent ugly brown textures below the tracks. + + - Lot size: 1x1 tiles (1x1, 1x2, 1x3, 1x4, 1x5 with overhanging props) + - Menu position: Utilities - Energy + - Plop cost: § 1 - 17 + - Bulldoze cost: § 5 + - Monthly cost: § 0 + - Flammability: 0 + - Power consumption: 1 MWh/month + - Water consumption: 0 Gallons/month + - Air pollution: 0 over 0 tiles + - Water pollution: 0 over 0 tiles + - Garbage pollution: 0 over 0 tiles + + author: Kenworth, Andreas Roth, Nardo69 + website: https://community.simtropolis.com/files/file/36492-sfbt-kenworth-rail-catenaries-v2/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2024_10/Oberleitungen_1.jpg.d869d8a6907fa6ddd2c6bc939931fe6f.jpg + - https://www.simtropolis.com/objects/screens/monthly_2024_10/Oberleitungen_2.jpg.53d3264a9aa244aa8070f00c229709b2.jpg +dependencies: + - sfbt:kenworth-rail-catenaries-props + - sfbt:essentials + - memo:transparent-texture-fix-dll +assets: + - assetId: sfbt-kenworth-rail-catenaries + include: + - \.SC4Lot$ + +--- +group: sfbt +name: kenworth-rail-catenaries-props +version: "2" +subfolder: 100-props-textures +info: + summary: SFBT Kenworth Rail Catenaries Props + author: Kenworth, Andreas Roth, Nardo69 + website: https://community.simtropolis.com/files/file/36492-sfbt-kenworth-rail-catenaries-v2/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2024_10/Oberleitungen_2.jpg.53d3264a9aa244aa8070f00c229709b2.jpg +assets: + - assetId: sfbt-kenworth-rail-catenaries + include: + - \.dat$ + +--- +assetId: sfbt-kenworth-rail-catenaries +version: "2" +lastModified: "2024-10-08T11:48:52Z" +url: https://community.simtropolis.com/files/file/36492-sfbt-kenworth-rail-catenaries-v2/?do=download diff --git a/src/yaml/sfbt/khiyana-bus-stops.yaml b/src/yaml/sfbt/khiyana-bus-stops.yaml index b17ef1cc0..5902261c9 100644 --- a/src/yaml/sfbt/khiyana-bus-stops.yaml +++ b/src/yaml/sfbt/khiyana-bus-stops.yaml @@ -9,7 +9,7 @@ assets: info: summary: "Two simple German bus stops" - description: > + description: | This package includes 2 simple, slightly run down bus stops, like they can be found everywhere in Germany and the rest of the world. The download includes two different lots, one that has some grass behind the shelter, and an urban version with the standard sidewalk texture. diff --git a/src/yaml/sfbt/modern-bus-and-tram-stops.yaml b/src/yaml/sfbt/modern-bus-and-tram-stops.yaml index 2ad8ee697..7e9c502c1 100644 --- a/src/yaml/sfbt/modern-bus-and-tram-stops.yaml +++ b/src/yaml/sfbt/modern-bus-and-tram-stops.yaml @@ -9,7 +9,7 @@ assets: info: summary: "Modern bus and tram stops by Fluggi" - description: > + description: | This download contains 17 lots with several bus and tram stops for your city. There are three different models: A simple bus stop with a glass covered roof made by Fluggi which can be found everywhere in Germany, and two other stops (one wide and one narrow version) with a roof in three different colors made by khoianh94 which are inspired from the ones in Munich, Germany. diff --git a/src/yaml/sfbt/peterycristi-props.yaml b/src/yaml/sfbt/peterycristi-props.yaml index 6b21950db..2c4ec520b 100644 --- a/src/yaml/sfbt/peterycristi-props.yaml +++ b/src/yaml/sfbt/peterycristi-props.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: 100-props-textures info: summary: Peterycristi Props - description: > + description: | This prop pack contains 25 different props from Berlin and the surrounding area. The props are intended for usage on Berlin-related lots for SimCity 4. The pack only serves as a dependency, there are no lots or similar included. diff --git a/src/yaml/sfbt/rfr-maize-set.yaml b/src/yaml/sfbt/rfr-maize-set.yaml index 9796b75ef..15185e3df 100644 --- a/src/yaml/sfbt/rfr-maize-set.yaml +++ b/src/yaml/sfbt/rfr-maize-set.yaml @@ -18,7 +18,7 @@ assets: info: summary: "Growable and ploppable maize fields" - description: > + description: | The pack contains 2 growable farms and a maize field lot, 5 ploppable field lots for harvesting scenes as well as 5 MMPs including some machinery. diff --git a/src/yaml/sfbt/vineyards.yaml b/src/yaml/sfbt/vineyards.yaml index 964f20ea2..929f604b6 100644 --- a/src/yaml/sfbt/vineyards.yaml +++ b/src/yaml/sfbt/vineyards.yaml @@ -11,7 +11,7 @@ assets: info: summary: "Vineyard fields (Weinberge)" - description: > + description: | With this set of growable vineyards and four ploppable lots, everyone can create their individual vineyard. This set is designed for maximum slope tolerance, allowing a nice-looking result in almost every occasion. The vineyard hut also has a custom foundation which makes it pretty slope-conforming. diff --git a/src/yaml/sfbt/voltaic-small-chapels.yaml b/src/yaml/sfbt/voltaic-small-chapels.yaml index 8e4e24aad..279dc5af5 100644 --- a/src/yaml/sfbt/voltaic-small-chapels.yaml +++ b/src/yaml/sfbt/voltaic-small-chapels.yaml @@ -10,7 +10,7 @@ assets: info: summary: "Two small chapels by voltaic" - description: > + description: | Especially in the Alpine area, small chapels that only hold slightly more than a handful of people can be found everywhere. Here, the devout members of the surrounding farms and travellers are gathering. The small church "Maria Hilf" is located near the Ludescherberg mountain in Vorarlberg, Austria. diff --git a/src/yaml/sfbt/voltaic-village-church.yaml b/src/yaml/sfbt/voltaic-village-church.yaml index f85ba3261..541397fa5 100644 --- a/src/yaml/sfbt/voltaic-village-church.yaml +++ b/src/yaml/sfbt/voltaic-village-church.yaml @@ -10,7 +10,7 @@ assets: info: summary: "Czech village church" - description: > + description: | This church was modeled after a church in Zablaticko, Czech Republic. For the most part, the architecture is a reproduction of the original, with some creative liberty regarding roof and textures. author: "voltaic" diff --git a/src/yaml/sg/simtropolis-train-station.yaml b/src/yaml/sg/simtropolis-train-station.yaml new file mode 100644 index 000000000..7b8f89f30 --- /dev/null +++ b/src/yaml/sg/simtropolis-train-station.yaml @@ -0,0 +1,46 @@ +group: sg +name: simtropolis-train-station +version: "1.0" +subfolder: 700-transit +info: + summary: SimTropolis Train Station + description: |- + A modern passenger station designed for use in a downtown setting. The upper promenade features boutique shops and restaurants, and there are offices in the front glassed in building. There are three tracks off the rear, 3 tiles back from the road, so it can be used in the middle of a commercial district. + + **Lot Details and Information** + + - Building: Transportation + - Lot Size: 7 x 6 tiles + - Lot Wealth: Medium Wealth + - Jobs: Civic $: 150, $$: 70, $$$: 30 + author: SimGoober + website: https://community.simtropolis.com/files/file/14728-simtropolis-train-station/ + images: + - https://www.simtropolis.com/objects/screens/0023/d5617fc0dc0a2a67c3cf3fbb7bfbbc94-SG_SimTropolisStation01.jpg + - https://www.simtropolis.com/objects/screens/0023/d5617fc0dc0a2a67c3cf3fbb7bfbbc94-SG_SimTropolisStation02.jpg +dependencies: + - bsc:essentials + - bsc:textures-vol01 + - bsc:textures-vol02 + - bsc:mega-props-misc-vol01 + - bsc:mega-props-sg-vol01 +assets: + - assetId: sg-simtropolis-train-station + exclude: + - \.SC4Lot$ + - assetId: sg-simtropolis-train-station-mac-fix + +--- +assetId: sg-simtropolis-train-station +version: "1.0" +lastModified: "2023-08-29T20:30:35Z" +url: https://community.simtropolis.com/files/file/14728-simtropolis-train-station/?do=download&r=197516 +archiveType: + format: Clickteam + version: "40" + +--- +assetId: sg-simtropolis-train-station-mac-fix +version: "1.0" +lastModified: "2023-08-29T20:30:35Z" +url: https://community.simtropolis.com/files/file/14728-simtropolis-train-station/?do=download&r=197517 diff --git a/src/yaml/shk/hd-rock-mods.yaml b/src/yaml/shk/hd-rock-mods.yaml index 920af556a..abf6a82f6 100644 --- a/src/yaml/shk/hd-rock-mods.yaml +++ b/src/yaml/shk/hd-rock-mods.yaml @@ -15,7 +15,7 @@ assets: info: summary: "HD Rock Mod 01 - grey & black" - description: > + description: | This variety has mostly gray and black tones. These are HD rock textures which require the use of hardware rendering mode. @@ -36,7 +36,7 @@ assets: info: summary: "HD Rock Mod 02 - bright, silvery with red & pink" - description: > + description: | This variety is bright, sort of silvery with some red/pink hues. These are HD rock textures which require the use of hardware rendering mode. @@ -57,7 +57,7 @@ assets: info: summary: "HD Rock Mod 03 - dark brown" - description: > + description: | This variety has dark, brown hues. These are HD rock textures which require the use of hardware rendering mode. @@ -78,7 +78,7 @@ assets: info: summary: "HD Rock Mod 04 - mossy grey" - description: > + description: | This variety is a mossy grey. These are HD rock textures which require the use of hardware rendering mode. @@ -99,7 +99,7 @@ assets: info: summary: "HD Rock Mod 05 - red/pink granite" - description: > + description: | This variety resembles a reddish pink granite. These are HD rock textures which require the use of hardware rendering mode. diff --git a/src/yaml/simcityfreak666/european-busses-prop-pack-vol1.yaml b/src/yaml/simcityfreak666/european-busses-prop-pack-vol1.yaml new file mode 100644 index 000000000..7147500ee --- /dev/null +++ b/src/yaml/simcityfreak666/european-busses-prop-pack-vol1.yaml @@ -0,0 +1,29 @@ +group: simcityfreak666 +name: european-busses-prop-pack-vol1 +version: "1.0" +subfolder: 100-props-textures +info: + summary: European Busses Prop Pack vol. 1 + description: |- + This Prop Pack contains european style bus Props. + + This pack contains 41 different **Mercedes Benz Citaro Bus Props**: + + - **Citaro L** (Standard Version) + - **Citaro LÜ** (Version with double axis) + - **Citaro G** (Articulated version) + + All Versions are included in orthogonal and Diagonal versions and diffrent Skins plus curvy versions of the Citaro G + author: SimCityFreak666 + website: https://community.simtropolis.com/files/file/24802-european-busses-prop-pack-vol-1/ + images: + - https://www.simtropolis.com/objects/screens/0025/e01929581d4312bd4d589e2781f70e8f-citaro%20proppack.JPG + +assets: + - assetId: simcityfreak666-european-busses-prop-pack-vol-1 + +--- +assetId: simcityfreak666-european-busses-prop-pack-vol-1 +version: "1.0" +lastModified: "2010-09-05T07:19:19Z" +url: https://community.simtropolis.com/files/file/24802-european-busses-prop-pack-vol-1/?do=download diff --git a/src/yaml/simcityfreak666/european-truck-prop-pack-vol1.yaml b/src/yaml/simcityfreak666/european-truck-prop-pack-vol1.yaml new file mode 100644 index 000000000..b2a460bd9 --- /dev/null +++ b/src/yaml/simcityfreak666/european-truck-prop-pack-vol1.yaml @@ -0,0 +1,32 @@ +group: simcityfreak666 +name: european-truck-prop-pack-vol1 +version: "1.0" +subfolder: 100-props-textures +info: + summary: European Truck Prop Pack vol. 1 + description: |- + This Prop Pack contains european style truck props. + + This pack uses **Truck Models** based on the **Mercedes Benz Actros** and the **DAF XF** + + It contains among 90 different Props using diffrent trailers to fit (hopefully)almost every situation you need them for: + + - Containertrucks (40'size, 20'size, liquid transport containers ) + - Flatbed Trucks + - Constructionside Trucks + - Standard trailer Trucks + - Carriage Props + - All Trucks available in orthogonal, diagonal and curve versions + nightlighted Versions + - The Trucks are fitting the sizes of the Truck Props of Simgoober and Jestarr + author: SimCityFreak666 + website: https://community.simtropolis.com/files/file/25607-european-truck-prop-pack-vol-1/ + images: + - https://www.simtropolis.com/objects/screens/0020/b1f1447f650c6caf14670e77a9875a00-Simtrop%20Trucks.JPG +assets: + - assetId: simcityfreak666-european-truck-prop-pack-vol-1 + +--- +assetId: simcityfreak666-european-truck-prop-pack-vol-1 +version: "1.0" +lastModified: "2010-12-31T05:40:44Z" +url: https://community.simtropolis.com/files/file/25607-european-truck-prop-pack-vol-1/?do=download diff --git a/src/yaml/simcityfreak666/train-prop-pack-vol1.yaml b/src/yaml/simcityfreak666/train-prop-pack-vol1.yaml new file mode 100644 index 000000000..461f7a244 --- /dev/null +++ b/src/yaml/simcityfreak666/train-prop-pack-vol1.yaml @@ -0,0 +1,35 @@ +group: simcityfreak666 +name: train-prop-pack-vol1 +version: "1.0" +subfolder: 100-props-textures +info: + summary: Train Prop Pack vol.1 + description: |- + This Prop Pack contains european style train Props. + + This pack focuses on vehicles mostly used by the german main rail company ("Deutsche Bahn") + + It contains more then 50 props: + + - 6 engines (including the "Taurus" in different versions) + - the ICE 2 seperated in engine,waggons + - Intercity wagons + - 12 fright wagons (featuring,Container-,car transporter,log wagons) + - Metrorail vehicle based on the german 423 (Munich s-bahn) + - wagons for the "Rollende Landstraße" + - nuclear waste wagon + - a lot of nighlighted props + - opened waggons for making railyards lookin alive + + author: SimCityFreak666 + website: https://community.simtropolis.com/files/file/26342-train-prop-pack-vol1/ + images: + - https://www.simtropolis.com/objects/screens/monthly_06_2011/8b8aee2fd912e4c12f31ce561e14d32d-trainpack%20simtrop.jpg +assets: + - assetId: simcityfreak666-train-prop-pack-vol1 + +--- +assetId: simcityfreak666-train-prop-pack-vol1 +version: "1.0" +lastModified: "2011-06-12T17:54:41Z" +url: https://community.simtropolis.com/files/file/26342-train-prop-pack-vol1/?do=download diff --git a/src/yaml/simcoug/farmhouses.yaml b/src/yaml/simcoug/farmhouses.yaml index 03cea464b..6a7c9337e 100644 --- a/src/yaml/simcoug/farmhouses.yaml +++ b/src/yaml/simcoug/farmhouses.yaml @@ -26,7 +26,7 @@ assets: info: summary: "30 growable R$ Farmhouse lots" - description: > + description: | This set of lots is desigend to fit in rural settings. There are two lot sizes - 3x5 and 5x5. The odd lot sizes were chosen to help you grow these lots. diff --git a/src/yaml/simcoug/lots-vol01-jmyers-homes.yaml b/src/yaml/simcoug/lots-vol01-jmyers-homes.yaml index 70098ef15..0fe5bcbb4 100644 --- a/src/yaml/simcoug/lots-vol01-jmyers-homes.yaml +++ b/src/yaml/simcoug/lots-vol01-jmyers-homes.yaml @@ -10,7 +10,7 @@ assets: info: summary: "47 new growable lots extending JMyers Homes Pack" - description: > + description: | This set is designed to significantly increase the variety of lots for the BATs that JMyers created. These lots have a more rural, older style and include lot sizes 1×1 to 1×3. Diagonal corner lots are included, as well. diff --git a/src/yaml/simfox/bashnja-na-naberezhnoj-c.yaml b/src/yaml/simfox/bashnja-na-naberezhnoj-c.yaml new file mode 100644 index 000000000..b6b9af3dd --- /dev/null +++ b/src/yaml/simfox/bashnja-na-naberezhnoj-c.yaml @@ -0,0 +1,27 @@ +group: simfox +name: bashnja-na-naberezhnoj-c +version: "1.0" +subfolder: 300-commercial +info: + summary: Bashnja na Naberezhnoj C (Embankment Tower) + description: | + 68 storey Bashnja na Naberezhnoj C (Embankment Tower C) at 268m is currently tallest building in Europe and first finished office tower in Moscow's new CBD - MoscowCity, located downtown - 5 km away from Kremlin. Steel and glass tower is a part of the complex of 3 towers (Tower a - 17 floors and tower B 27 floors). + + This package includes 3 5x4 lots: + - 1 landmark lot + - 1 growable CO$$$ stage8 lot (Euro tileset) + - 1 plop CO$$$ lot + author: SimFox + website: https://community.simtropolis.com/files/file/19696-bashnja-na-naberezhnoj-c/ + images: + - https://www.simtropolis.com/objects/screens/0004/17b6d2c8658ab150ecf275e98d07c424-BnN_Based.jpg + - https://www.simtropolis.com/objects/screens/0004/17b6d2c8658ab150ecf275e98d07c424-BnN_Based_n.jpg + +assets: + - assetId: simfox-bashnja-na-naberezhnoj-c + +--- +assetId: simfox-bashnja-na-naberezhnoj-c +version: "1.0" +lastModified: "2008-04-18T09:16:33Z" +url: https://community.simtropolis.com/files/file/19696-bashnja-na-naberezhnoj-c/?do=download diff --git a/src/yaml/simfox/seagram-building.yaml b/src/yaml/simfox/seagram-building.yaml new file mode 100644 index 000000000..dc3bae486 --- /dev/null +++ b/src/yaml/simfox/seagram-building.yaml @@ -0,0 +1,45 @@ +group: simfox +name: seagram-building +version: "1.0" +subfolder: 300-commercial +info: + summary: Seagram Building + description: | + Seagram Building by Ludwig Mies van der Rohe built for Canadian booze peddler Seagram and Songs Plc is considered to be both finest example and originator of "corporate box" - or so called International Style. + + Apparent simplicity is deceiving. By the time 38 storey tower on New York Park Avenue has been opened in 1958 it was the most expensive skyscraper ever built, and its curtain wall made out of solid bronze and bronze tinted glass still remains the most expensive facade to this day! + + This download includes: + - Seagram building model file + - 4x6 Ploppable Lot with Co$$$ jobs + - 4x6 Growable Lot + - 4x6 Landmark Lot + + author: SimFox + website: https://community.simtropolis.com/files/file/24680-nybt-seagram-building-darknite-version/ + images: + - https://www.simtropolis.com/objects/screens/0022/c77e47ad9508f5b724c850c9283dfcc8-STEXMain_Maxis.jpg + - https://www.simtropolis.com/objects/screens/0022/c77e47ad9508f5b724c850c9283dfcc8-STEXSecondaryMaxis.jpg + +dependencies: + - nybt:essentials +variants: + - variant: { nightmode: "standard" } + assets: + - assetId: simfox-seagram-building-maxisnite + - variant: { nightmode: "dark" } + dependencies: [ "simfox:day-and-nite-mod" ] + assets: + - assetId: simfox-seagram-building-darknite + +--- +assetId: simfox-seagram-building-darknite +version: "1.0" +lastModified: "2010-08-21T09:10:40Z" +url: https://community.simtropolis.com/files/file/24680-nybt-seagram-building-darknite-version/?do=download + +--- +assetId: simfox-seagram-building-maxisnite +version: "1.0" +lastModified: "2010-08-21T12:30:37Z" +url: https://community.simtropolis.com/files/file/24686-nybt-seagram-building-maxisnite-version/?do=download diff --git a/src/yaml/simfox/treepack.yaml b/src/yaml/simfox/treepack.yaml index 58fdd7992..671bf0710 100644 --- a/src/yaml/simfox/treepack.yaml +++ b/src/yaml/simfox/treepack.yaml @@ -4,7 +4,7 @@ version: "2" subfolder: "100-props-textures" info: summary: "Tree props by SimFox" - description: > + description: | This is a pack of 7 trees in form of both Props and Mayor Mode Ploppables. author: "SimFox" images: diff --git a/src/yaml/simmaster07/extra-cheats-dll.yaml b/src/yaml/simmaster07/extra-cheats-dll.yaml index d769ed1d2..66de295e8 100644 --- a/src/yaml/simmaster07/extra-cheats-dll.yaml +++ b/src/yaml/simmaster07/extra-cheats-dll.yaml @@ -1,15 +1,21 @@ group: "simmaster07" name: "extra-cheats-dll" -version: "1.1.1-1" +version: "1.1.1-2" subfolder: "150-mods" assets: - assetId: "simmaster07-extra-cheats-dll" + withChecksum: + - include: "/ExtraExtraCheats.dll" + sha256: bc67b8ade3254258e9ee4410d3fb7474f2f1c5f47a9b0eefd03dd526962b759f - assetId: "buggi-extra-cheats-dll" + withChecksum: + - include: "/SimCity 4 Extra Cheats Plugin.dll" + sha256: 5ec83e5c4ae318a13bee52a77ead277ee1b776819d64261c7f483a60b1c01401 info: summary: "Enables additional cheat codes" conflicts: "Incompatible with the macOS version of the game." - description: > + description: | The extra cheats plugin adds many additional features to the game, such as the ability to plop any building or lot at will, the ability to easily set how much money is in your city's treasury and even the ability to add snow to your diff --git a/src/yaml/simmaster07/sc4fix.yaml b/src/yaml/simmaster07/sc4fix.yaml index 02c6091c8..71dfdaf0e 100644 --- a/src/yaml/simmaster07/sc4fix.yaml +++ b/src/yaml/simmaster07/sc4fix.yaml @@ -1,14 +1,17 @@ group: "simmaster07" name: "sc4fix" -version: "1.0.7" +version: "1.0.7-1" subfolder: "150-mods" assets: - assetId: "simmaster07-sc4fix" + withChecksum: + - include: "/SC4Fix.dll" + sha256: 3c67a48d51212e748a535de3a4f5551ccaa0577255e1757726f7df384a828c76 info: - summary: "Third-party patches for SC4" + summary: "DLL patches for SC4" conflicts: "Incompatible with the macOS version of the game." - description: > + description: | Fixes a serialization bug that could corrupt the savegame, particularly when mods are installed that modify existing exemplars (i.e. Prop Pox). Resolves a crash-to-desktop when hovering NAM puzzle pieces over transit-enabled lots. @@ -21,6 +24,7 @@ info: --- assetId: "simmaster07-sc4fix" -version: "1.0.7" +version: "1.0.7-1" lastModified: "2018-01-21T05:11:27Z" -url: "https://community.simtropolis.com/files/file/30883-sc4fix-third-party-patches-for-sc4/?do=download" +nonPersistentUrl: "https://community.simtropolis.com/files/file/30883-sc4fix-third-party-patches-for-sc4/?do=download" +url: "https://github.com/nsgomez/sc4fix/releases/download/rev7/SC4Fix.dll" diff --git a/src/yaml/simmer2/rrw-legacy-lottex-mega-textures.yaml b/src/yaml/simmer2/rrw-legacy-lottex-mega-textures.yaml index 5356c24e4..b8238d1f7 100644 --- a/src/yaml/simmer2/rrw-legacy-lottex-mega-textures.yaml +++ b/src/yaml/simmer2/rrw-legacy-lottex-mega-textures.yaml @@ -9,10 +9,10 @@ info: These are modifications of the old RRW texture set originally created by Indiana Joe and Swordmaster for usage with the NAM. Several new pieces were added including Standard to custom RRW texture transitions and a DTR to Railyard junction. This new SM2-SW-IJ RRW Legacy Mega Textures compilation collects and replaces the following single textures packs and also fixes some issues: - • RRW_Lottex_SM2.dat - • RRW Lottex SW.dat - • RRW_Lottex_SM2R2.dat - • SM2_RRW_Lottex_3.dat + * `RRW_Lottex_SM2.dat` + * `RRW Lottex SW.dat` + * `RRW_Lottex_SM2R2.dat` + * `SM2_RRW_Lottex_3.dat` author: "Simmer2, Indiana Joe, Swordmaster" images: - "https://www.simtropolis.com/objects/screens/monthly_2024_01/RRW_Lottex_SM2.jpg.8247035b3ba8f2b417e7de8631efe186.jpg" diff --git a/src/yaml/spa/church-street-apartments.yaml b/src/yaml/spa/church-street-apartments.yaml index c7cc9ea68..5ef865a2d 100644 --- a/src/yaml/spa/church-street-apartments.yaml +++ b/src/yaml/spa/church-street-apartments.yaml @@ -13,7 +13,7 @@ assets: info: summary: "Small wooden duplexes (R$$)" - description: > + description: | This package contains some colorful old wooden duplexes from Halifax, Nova Scotia, Canada. They are a design that is typical in the Schmidtville area of the city, with the largest concentration located on Church Street near diff --git a/src/yaml/spa/halifax-boxes.yaml b/src/yaml/spa/halifax-boxes.yaml index b0e2bca05..d786ace97 100644 --- a/src/yaml/spa/halifax-boxes.yaml +++ b/src/yaml/spa/halifax-boxes.yaml @@ -12,7 +12,7 @@ dependencies: info: summary: "Halifax Box wall-to-wall residential set" - description: > + description: | This set contains 28 different Halifax Box homes. 14 have two windows on the front and 14 have three windows on the front. diff --git a/src/yaml/stex-custodian/very-old-buildings-props.yaml b/src/yaml/stex-custodian/very-old-buildings-props.yaml index 77c59155e..80279afa3 100644 --- a/src/yaml/stex-custodian/very-old-buildings-props.yaml +++ b/src/yaml/stex-custodian/very-old-buildings-props.yaml @@ -8,7 +8,7 @@ info: images: - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ebe975d2bb6d_VeryOldBuildingPropsLogo.jpg.5304c8b48552c73e8b34b3695be4bc6e.jpg - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ebe8b5f69015_VeryOldBuildingPropsImage.jpg.30bb244ccd9afee8d9f4e29203bde2e7.jpg - description: > + description: | Some very old content will need one or more of these legacy files and will likely not even mention them as a dependency. (Long, long ago it was assumed peeps had them.) Important: Do not use these for current lotting projects. They are provided only so very old content can be used in one's game. diff --git a/src/yaml/t-wrecks/industrial-revolution-mod-i-d-filler-set-1.yaml b/src/yaml/t-wrecks/industrial-revolution-mod-i-d-filler-set-1.yaml new file mode 100644 index 000000000..962173072 --- /dev/null +++ b/src/yaml/t-wrecks/industrial-revolution-mod-i-d-filler-set-1.yaml @@ -0,0 +1,34 @@ +group: t-wrecks +name: industrial-revolution-mod-i-d-filler-set-1 +version: "1.1" +subfolder: 400-industrial +info: + summary: IRM - Ploppable I-D Filler Set 1 + description: | + This is a set of 12 ploppable filler lots for dirty industry (I-D) that can be used to complement grown industrial areas with some open yards, walls, and several types of cargo stacked outside. The set has been made for the `pkg=memo:industrial-revolution-mod` and, as such, blends in well with I-D areas because it uses the same base texture, and the brick walls look good in connection with older brick factories and their side buildings. + + You will find these lots in the landmark menu, conveniently grouped together. + author: T Wrecks + website: https://community.simtropolis.com/files/file/28295-industrial-revolution-mod-i-d-filler-set-1/ + images: + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-c20873b8fbbee7b64f3f4dff84ce3d3c-irm_i-d_fillerset_screen1.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-444f20757784fc259b74badcda0bd7c6-irm_i-d_fillerset_screen2.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-559190a251e4f1fadbb615211f996f04-irm_i-d_fillerset_screen3.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-bcf7416cc8f82ed8d7f7a11083653e71-irm_i-d_fillerset_screen4.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-73b88b831fa79cdb1f7d74e4717e1aaa-irm_i-d_fillerset_screen5.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-e6844cf42864a62495a7e1c09fd97e3a-irm_i-d_fillerset_screen6.jpg + +dependencies: + - sfbt:essentials + - bsc:mega-props-jes-vol01 + - bsc:mega-props-jes-vol02 + - bsc:mega-props-gascooker-vol01 + - ncd:rail-yard-and-spur-mega-pak-1 +assets: + - assetId: t-wrecks-industrial-revolution-mod-i-d-filler-set-1 + +--- +assetId: t-wrecks-industrial-revolution-mod-i-d-filler-set-1 +version: "1.1" +lastModified: "2012-12-15T11:54:11Z" +url: https://community.simtropolis.com/files/file/28295-industrial-revolution-mod-i-d-filler-set-1/?do=download diff --git a/src/yaml/t-wrecks/industrial-revolution-mod-i-ht-filler-set-1.yaml b/src/yaml/t-wrecks/industrial-revolution-mod-i-ht-filler-set-1.yaml new file mode 100644 index 000000000..fa0a30e51 --- /dev/null +++ b/src/yaml/t-wrecks/industrial-revolution-mod-i-ht-filler-set-1.yaml @@ -0,0 +1,33 @@ +group: t-wrecks +name: industrial-revolution-mod-i-ht-filler-set-1 +version: "1.0" +subfolder: 400-industrial +info: + summary: IRM - Ploppable I-HT Filler Set 1 + description: | + This is a set of 12 ploppable filler lots for high-tech industry (I-HT) that can be used to complement grown industrial areas with some open yards, walls, and several types of cargo stacked outside. The set has been made for the `pkg=memo:industrial-revolution-mod` and, as such, blends in well with I-HT areas because it uses the same base texture, and the green fences look rather modern and suitable for high-tech industry. + + You will find these lots in the landmark menu, conveniently grouped together right under the I-M fillers. + author: T Wrecks + website: https://community.simtropolis.com/files/file/28302-industrial-revolution-mod-i-ht-filler-set-1/ + images: + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-c0036f8465e239f81a26cd933e8a10ce-irm_i-ht_fillerset_screen1.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-d9ba93507733f6e2b5cea6be144caa3f-irm_i-ht_fillerset_screen2.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-7891c7d1f76cafda92b8ecbb164ba4b2-irm_i-ht_fillerset_screen3.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-e8e2806f50177433d3365a828fb6cf53-irm_i-ht_fillerset_screen4.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-ffb85a5ea84d7985c4d76153f66b9758-irm_i-ht_fillerset_screen5.jpg + +dependencies: + - sfbt:essentials + - t-wrecks:maxis-prop-names-and-query-fix + - bsc:mega-props-jes-vol01 + - bsc:mega-props-jes-vol02 + - bsc:mega-props-gascooker-vol01 +assets: + - assetId: t-wrecks-industrial-revolution-mod-i-ht-filler-set-1 + +--- +assetId: t-wrecks-industrial-revolution-mod-i-ht-filler-set-1 +version: "1.0" +lastModified: "2012-12-19T21:26:08Z" +url: https://community.simtropolis.com/files/file/28302-industrial-revolution-mod-i-ht-filler-set-1/?do=download diff --git a/src/yaml/t-wrecks/industrial-revolution-mod-i-m-filler-set-1.yaml b/src/yaml/t-wrecks/industrial-revolution-mod-i-m-filler-set-1.yaml new file mode 100644 index 000000000..040c52113 --- /dev/null +++ b/src/yaml/t-wrecks/industrial-revolution-mod-i-m-filler-set-1.yaml @@ -0,0 +1,32 @@ +group: t-wrecks +name: industrial-revolution-mod-i-m-filler-set-1 +version: "1.0" +subfolder: 400-industrial +info: + summary: IRM - Ploppable I-M Filler Set 1 + description: | + This is a set of 12 ploppable filler lots for manufacturing industry (I-M) that can be used to complement grown industrial areas with some open yards, walls, and several types of cargo stacked outside. The set has been made for the `pkg=memo:industrial-revolution-mod` and, as such, blends in well with I-M areas because it uses the same base texture, and the rather neutrally designed walls are a good compromise between old and modern, which will make them look good in connection with any I-M facilities. + + You will find these lots in the landmark menu, conveniently grouped together right under the I-D fillers. + author: T Wrecks + website: https://community.simtropolis.com/files/file/28298-industrial-revolution-mod-i-m-filler-set-1/ + images: + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-85b2ba5dbb98c4694e135c0f0c2c4208-irm_i-m_fillerset_screen1.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-2a6a0245477d298b9621f87ec39451b5-irm_i-m_fillerset_screen2.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-2522f68b07492d64a60fcf528039f611-irm_i-m_fillerset_screen3.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-ce2af7c103a6ca4e1c7d59c3b8fb5f9b-irm_i-m_fillerset_screen4.jpg + - https://www.simtropolis.com/objects/screens/monthly_12_2012/thumb-82e2960004e64c915c2ca8aa8fd6965e-irm_i-m_fillerset_screen5.jpg + +dependencies: + - sfbt:essentials + - bsc:mega-props-jes-vol01 + - bsc:mega-props-jes-vol02 + - bsc:mega-props-gascooker-vol01 +assets: + - assetId: t-wrecks-industrial-revolution-mod-i-m-filler-set-1 + +--- +assetId: t-wrecks-industrial-revolution-mod-i-m-filler-set-1 +version: "1.0" +lastModified: "2012-12-18T08:29:35Z" +url: https://community.simtropolis.com/files/file/28298-industrial-revolution-mod-i-m-filler-set-1/?do=download diff --git a/src/yaml/t-wrecks/industrial-revolution-mod.yaml b/src/yaml/t-wrecks/industrial-revolution-mod.yaml index 035bc9900..330236faf 100644 --- a/src/yaml/t-wrecks/industrial-revolution-mod.yaml +++ b/src/yaml/t-wrecks/industrial-revolution-mod.yaml @@ -28,13 +28,13 @@ dependencies: - "t-wrecks:maxis-prop-names-and-query-fix" variants: -- variant: { CAM: "no", IRM.industrial-capacity: "standard" } +- variant: { CAM: "no", toroca:industry-quadrupler:capacity: "standard" } assets: - assetId: "t-wrecks-irm-addon-set-i-d" include: - "\\.SC4Lot$" - "/Standard Edition/" -- variant: { CAM: "no", IRM.industrial-capacity: "quadrupled" } +- variant: { CAM: "no", toroca:industry-quadrupler:capacity: "quadrupled" } dependencies: [ "toroca:industry-quadrupler" ] assets: - assetId: "t-wrecks-irm-addon-set-i-d" @@ -51,13 +51,13 @@ variantDescriptions: CAM: "no": "Choose this if you have not installed the Colossus Addon Mod (CAM)." "yes": "Choose this if you have installed the Colossus Addon Mod (CAM)." - IRM.industrial-capacity: + toroca:industry-quadrupler:capacity: "standard": "Maxis-default capacity" "quadrupled": "4x capacity, for use with the Industry Quadrupler" info: summary: "38 growable I-D filler lots to supplement the IRM" - description: > + description: | This expansion package for the Industrial Revolution Mod (IRM) contains a set of custom-made lots that can grow as fillers between industrial facilities, mainly tanks/silos and warehouses. @@ -77,13 +77,13 @@ dependencies: - "t-wrecks:maxis-prop-names-and-query-fix" variants: -- variant: { CAM: "no", IRM.industrial-capacity: "standard" } +- variant: { CAM: "no", toroca:industry-quadrupler:capacity: "standard" } assets: - assetId: "t-wrecks-irm-addon-set-i-m" include: - "\\.SC4Lot$" - "/Standard Edition/" -- variant: { CAM: "no", IRM.industrial-capacity: "quadrupled" } +- variant: { CAM: "no", toroca:industry-quadrupler:capacity: "quadrupled" } dependencies: [ "toroca:industry-quadrupler" ] assets: - assetId: "t-wrecks-irm-addon-set-i-m" @@ -100,13 +100,13 @@ variantDescriptions: CAM: "no": "Choose this if you have not installed the Colossus Addon Mod (CAM)." "yes": "Choose this if you have installed the Colossus Addon Mod (CAM)." - IRM.industrial-capacity: + toroca:industry-quadrupler:capacity: "standard": "Maxis-default capacity" "quadrupled": "4x capacity, for use with the Industry Quadrupler" info: summary: "45 growable I-M filler lots to supplement the IRM" - description: > + description: | This expansion package for the Industrial Revolution Mod (IRM) contains a set of custom-made lots that can grow as fillers between industrial facilities, mainly tanks/silos and warehouses. Fillers are particularly diff --git a/src/yaml/t-wrecks/maxis-prop-names-and-query-fix.yaml b/src/yaml/t-wrecks/maxis-prop-names-and-query-fix.yaml index a40bf83af..db0304e1b 100644 --- a/src/yaml/t-wrecks/maxis-prop-names-and-query-fix.yaml +++ b/src/yaml/t-wrecks/maxis-prop-names-and-query-fix.yaml @@ -6,7 +6,7 @@ assets: - assetId: "t-wrecks-maxis-prop-names-and-query-fix" info: summary: Make all Maxis props behave like buildings in terms of names and queries - description: > + description: | This supersedes Buildings-as-Props 1 and 2 as well as Plugin_landmarks_and_other_missing_Props.dat author: "T Wrecks" website: "https://community.simtropolis.com/files/file/22400-maxis-prop-names-and-query-fix/" diff --git a/src/yaml/t-wrecks/maxis-tree-hd-replacement-mod.yaml b/src/yaml/t-wrecks/maxis-tree-hd-replacement-mod.yaml index c1d4bcaee..a5ef30c85 100644 --- a/src/yaml/t-wrecks/maxis-tree-hd-replacement-mod.yaml +++ b/src/yaml/t-wrecks/maxis-tree-hd-replacement-mod.yaml @@ -17,7 +17,7 @@ assets: # - "/Maxis Tree HD Replacement_PalmsToCypresses.dat" # TODO deal with palms/no-palms info: summary: "Replacement of all Maxis trees on lots and roadsides" - description: > + description: | This mod replaces all Maxis trees on lots with beautiful HD trees. Lots already existing in your city will automatically switch to the new trees. Whatever grows or is plopped subsequently will show the new trees in place diff --git a/src/yaml/takemethere/mount-royal.yaml b/src/yaml/takemethere/mount-royal.yaml index 06285beb3..cde7f9a4c 100644 --- a/src/yaml/takemethere/mount-royal.yaml +++ b/src/yaml/takemethere/mount-royal.yaml @@ -4,7 +4,7 @@ version: "1" subfolder: "360-landmark" info: summary: "A TV and radio broadcast tower" - description: > + description: | The Mount Royal Transmission Tower is a freestanding lattice tower located on "Mount Royal" in Montreal, Canada. Nearly all of Montreal's TV & radio stations broadcast from here, hence the need for a candelabra (multi-platform) design. The actual height of the tower in the real world is approximately 433ft/132m (including transmitters). diff --git a/src/yaml/teirusu/rain-tool.yaml b/src/yaml/teirusu/rain-tool.yaml new file mode 100644 index 000000000..4440a5b2b --- /dev/null +++ b/src/yaml/teirusu/rain-tool.yaml @@ -0,0 +1,23 @@ +group: "teirusu" +name: "rain-tool" +version: "1.0" +subfolder: "150-mods" +assets: +- assetId: "teirusu-rain-tool" +info: + summary: "Helps construct land bridges or plop water lots above sea level" + description: | + The water created by the rain tool will only last for a single game session. + When the city tile is reopened the rain water will no longer be there. + The blank terrain can then be filled in with any ploppable water as desired. + author: Teirusu + images: + - "https://www.simtropolis.com/objects/screens/monthly_04_2012/14c75f03f2f0cf879aef9d515c6d3b92-.jpg" + - "https://www.simtropolis.com/objects/screens/monthly_04_2012/5f0a9b312733c793a5edcd9c41c9d65a-.jpg" + website: "https://community.simtropolis.com/files/file/21531-teirusu-rain-tool-additional-god-mode-terrain-tools-2/" + +--- +url: "https://community.simtropolis.com/files/file/21531-teirusu-rain-tool-additional-god-mode-terrain-tools-2/?do=download" +assetId: "teirusu-rain-tool" +version: "1.0" +lastModified: "2009-04-08T02:44:52Z" diff --git a/src/yaml/toroca/industry-quadrupler.yaml b/src/yaml/toroca/industry-quadrupler.yaml index 7e11223f0..5c1328a73 100644 --- a/src/yaml/toroca/industry-quadrupler.yaml +++ b/src/yaml/toroca/industry-quadrupler.yaml @@ -3,24 +3,24 @@ name: "industry-quadrupler" version: "2.1" subfolder: "150-mods" variants: -- variant: { IRM.industrial-capacity: "standard" } +- variant: { toroca:industry-quadrupler:capacity: "standard" } # empty -- variant: { IRM.industrial-capacity: "quadrupled" } +- variant: { toroca:industry-quadrupler:capacity: "quadrupled" } assets: - assetId: "toroca-industry-quadrupler" variantDescriptions: - IRM.industrial-capacity: + toroca:industry-quadrupler:capacity: "standard": "Maxis-default capacity" "quadrupled": "4x capacity for Maxis industrial buildings" info: summary: "Quadruple the number of jobs of Maxis industrial buildings" - warning: > + warning: |- If you install this mod in a pre-existing region, expect demand for industry to fall sharply. It is advisable to remove a large part of the industrial zones from each city. conflicts: "Incompatible with CAM, compatible with IRM." - description: > + description: | This mod increases the number of jobs provided by industrial buildings to a more realistic level. Factories in fact employ hundreds or thousands of people, but in SimCity 4 there is hardly a single operation that offers more than 100 jobs. diff --git a/src/yaml/toroca/opera-house-fix.yaml b/src/yaml/toroca/opera-house-fix.yaml index 3bbf61b37..5aa1f6aa3 100644 --- a/src/yaml/toroca/opera-house-fix.yaml +++ b/src/yaml/toroca/opera-house-fix.yaml @@ -6,10 +6,10 @@ assets: - assetId: "toroca-opera-house-fix" info: summary: Superseded by `pkg=mz:opera-house-fix` - warning: > + warning: |- You *must* bulldoze existing opera houses *before* installing this mod. Otherwise, the mod does not work and the game will crash when you bulldoze old opera houses. - description: > + description: | This mod adds a slider to the opera house query to solve a capacity problem that can have a major impact on city growth. author: "toroca" diff --git a/src/yaml/tropod/additional-god-mode-terrain-tools.yaml b/src/yaml/tropod/additional-god-mode-terrain-tools.yaml new file mode 100644 index 000000000..5e9aa1ce3 --- /dev/null +++ b/src/yaml/tropod/additional-god-mode-terrain-tools.yaml @@ -0,0 +1,18 @@ +group: "tropod" +name: "additional-god-mode-terrain-tools" +version: "1.0" +subfolder: "150-mods" +assets: +- assetId: "tropod-additional-god-mode-terrain-tools" +info: + summary: "Adds four additional terrain tools to 'God Mode'" + author: "Tropod" + images: + - https://www.simtropolis.com/objects/screens/0025/e12b69a115ce332c73983cf137620d8b-extra%20terrain%20avatar.jpg + website: "https://community.simtropolis.com/files/file/21288-additional-god-mode-terrain-tools/" + +--- +url: "https://community.simtropolis.com/files/file/21288-additional-god-mode-terrain-tools/?do=download" +assetId: "tropod-additional-god-mode-terrain-tools" +version: "1.0" +lastModified: "2003-07-16T23:00:00Z" diff --git a/src/yaml/ulisse-wolf/fallout.yaml b/src/yaml/ulisse-wolf/fallout.yaml deleted file mode 100644 index b3e39f5c5..000000000 --- a/src/yaml/ulisse-wolf/fallout.yaml +++ /dev/null @@ -1,56 +0,0 @@ -group: "ulisse-wolf" -name: "fallout-prop-pack-vol1" -version: "1.0" -subfolder: "100-props-textures" -info: - summary: "First volume of props inspired by Fallout" - description: > - This package contains props inspired by the Fallout series. - author: "Ulisse Wolf" - website: "https://www.sc4evermore.com/index.php/downloads/download/22-dependencies/93-ulisse-wolf-fallout-prop-pack-vol1" - -variants: -- variant: { nightmode: standard } - assets: - - assetId: "ulisse-wolf-fallout-prop-pack-vol1" - include: [ "/Ulisse - Fallout Prop Pack Vol 1 MN.dat" ] -- variant: { nightmode: dark } - dependencies: [ "simfox:day-and-nite-mod" ] - assets: - - assetId: "ulisse-wolf-fallout-prop-pack-vol1" - include: [ "/Ulisse - Fallout Prop Pack Vol 1 DN.dat" ] - ---- -assetId: "ulisse-wolf-fallout-prop-pack-vol1" -version: "1.0" -lastModified: "2023-11-11T08:08:51-08:00" -url: "https://www.sc4evermore.com/index.php/downloads?task=download.send&id=93:ulisse-wolf-fallout-prop-pack-vol1" - ---- -group: "ulisse-wolf" -name: "fallout-prop-pack-vol2" -version: "1.0" -subfolder: "100-props-textures" -info: - summary: "Second volume of props inspired by Fallout" - description: > - This package contains props inspired by the Fallout series. - author: "Ulisse Wolf" - website: "https://www.sc4evermore.com/index.php/downloads/download/22-dependencies/135-ulisse-wolf-fallout-prop-pack-vol-2" - -variants: -- variant: { nightmode: standard } - assets: - - assetId: "ulisse-wolf-fallout-prop-pack-vol2" - include: [ "/Ulisse - Fallout Prop Pack Vol 2 MN.dat" ] -- variant: { nightmode: dark } - dependencies: [ "simfox:day-and-nite-mod" ] - assets: - - assetId: "ulisse-wolf-fallout-prop-pack-vol2" - include: [ "/Ulisse - Fallout Prop Pack Vol 2 DN.dat" ] - ---- -assetId: "ulisse-wolf-fallout-prop-pack-vol2" -version: "1.0" -lastModified: "2023-11-11T08:06:20-08:00" -url: "https://www.sc4evermore.com/index.php/downloads?task=download.send&id=135:ulisse-wolf-fallout-prop-pack-vol-2" \ No newline at end of file diff --git a/src/yaml/ulisse-wolf/five-nights-at-freddys.yaml b/src/yaml/ulisse-wolf/five-nights-at-freddys.yaml index b182afac2..0a06f415f 100644 --- a/src/yaml/ulisse-wolf/five-nights-at-freddys.yaml +++ b/src/yaml/ulisse-wolf/five-nights-at-freddys.yaml @@ -15,7 +15,7 @@ dependencies: info: summary: "Freddy Fazbear's pizza restaurant (CS$$)" - description: > + description: | This Halloween-themed package contains a pizza restaurant as a Stage 2 growable CS$$ lot as well as a ploppable landmark on a 6×6 lot. The building is inspired by Five Nights at Freddy's and has been modded to include strange events and brutal murders by cute animatronics during the night. diff --git a/src/yaml/ulisse-wolf/hybrid-railway-subway-converter.yaml b/src/yaml/ulisse-wolf/hybrid-railway-subway-converter.yaml index 945100edc..0854d6d23 100644 --- a/src/yaml/ulisse-wolf/hybrid-railway-subway-converter.yaml +++ b/src/yaml/ulisse-wolf/hybrid-railway-subway-converter.yaml @@ -25,7 +25,7 @@ variantDescriptions: info: summary: "Tunnel portals for Hybrid Railway (HRW)" - description: > + description: | This mod provides tunnel portals that convert traffic from Hybrid Railway to Subway and vice versa. For optimal results, avoid intersecting these Subyway-based tunnels with the rest of your Subway network. Freight rail traffic is not supported. diff --git a/src/yaml/ulisse-wolf/mediterranean-transport-set.yaml b/src/yaml/ulisse-wolf/mediterranean-transport-set.yaml index 792c168fc..4c54c09c5 100644 --- a/src/yaml/ulisse-wolf/mediterranean-transport-set.yaml +++ b/src/yaml/ulisse-wolf/mediterranean-transport-set.yaml @@ -13,7 +13,7 @@ dependencies: - "bsc:textures-vol03" info: summary: "4 stations expanding the MBEAR mediterranean set" - description: > + description: | This package contains 4 lots that expand the set of stations in the Mediterranean set made by Mickebear in order to support some networks introduced by the Network Addon Mod (NAM) such as GLR and HRW. author: "Ulisse Wolf" diff --git a/src/yaml/vip/delecto-ploppable-people.yaml b/src/yaml/vip/delecto-ploppable-people.yaml new file mode 100644 index 000000000..eeb35786d --- /dev/null +++ b/src/yaml/vip/delecto-ploppable-people.yaml @@ -0,0 +1,20 @@ +group: vip +name: delecto-ploppable-people +version: "2.0" +subfolder: 100-props-textures +info: + summary: Electo Ploppable People + description: |- + This is a set of ploppable people for the mayor menu. You could find these creations at the end of the list of this menu. + author: Delecto + website: https://www.sc4evermore.com/index.php/downloads/download/186-vip-delecto-ploppable-people + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/Icon_ploppable_people.jpg +assets: + - assetId: vip-delecto-ploppable-people + +--- +assetId: vip-delecto-ploppable-people +version: "2.0" +lastModified: "2024-01-20T14:14:55.000Z" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=186%3Avip-delecto-ploppable-people diff --git a/src/yaml/vip/rural-pack.yaml b/src/yaml/vip/rural-pack.yaml index cbf5e6012..b4b59850b 100644 --- a/src/yaml/vip/rural-pack.yaml +++ b/src/yaml/vip/rural-pack.yaml @@ -7,7 +7,7 @@ assets: - assetId: "vip-rural-pack" info: summary: "Seasonal ploppable plants and decorative elements" - description: > + description: | This package contains a large collection of flora and mayor-mode ploppables (MMPs). For fitting with other seasonal items, props need to be planted on the 1st of September. author: "Manchou, Ben, R6, Girafe, Orange, Vnaoned, Badsim" diff --git a/src/yaml/vip/vip-terrain-mod.yaml b/src/yaml/vip/vip-terrain-mod.yaml index 2f6b797be..c0faf30db 100644 --- a/src/yaml/vip/vip-terrain-mod.yaml +++ b/src/yaml/vip/vip-terrain-mod.yaml @@ -16,7 +16,7 @@ dependencies: info: summary: "VIP Terrain Mod - All Components" conflicts: "Incompatible with all other terrain mods - only one terrain mod may be installed. Compatible with seasonal tree controllers." - description: > + description: | Installs VIP Terrain Mod, including optional beach, rock, and water textures. This is an HD terrain mod, requiring the use of hardware rendering mode. @@ -36,7 +36,7 @@ assets: info: summary: "VIP Terrain Mod - Terrain Only" conflicts: "Incompatible with all other terrain mods - only one terrain mod may be installed. Compatible with seasonal tree controllers." - description: > + description: | Installs only the base terrain textures for the VIP Terrain Mod, and does not include optional beach, rock, and water textures. This is an HD terrain mod, requiring the use of hardware rendering mode. @@ -55,7 +55,7 @@ assets: info: summary: "VIP Terrain Mod - Beach Textures" conflicts: "" - description: > + description: | Optional beach textures for the VIP Terrain Mod. This is an HD terrain mod, requiring the use of hardware rendering mode. @@ -74,7 +74,7 @@ assets: info: summary: "VIP Terrain Mod - Rock Textures" conflicts: "" - description: > + description: | Optional rock textures for the VIP Terrain Mod. This is an HD terrain mod, requiring the use of hardware rendering mode. @@ -93,7 +93,7 @@ assets: info: summary: "VIP Terrain Mod - Water Textures" conflicts: "" - description: > + description: | Optional water textures for the VIP Terrain Mod. This is an HD terrain mod, requiring the use of hardware rendering mode. diff --git a/src/yaml/vip/vnaoned-props-pack-vol01.yaml b/src/yaml/vip/vnaoned-props-pack-vol01.yaml new file mode 100644 index 000000000..f60b363e4 --- /dev/null +++ b/src/yaml/vip/vnaoned-props-pack-vol01.yaml @@ -0,0 +1,28 @@ +group: vip +name: vnaoned-props-pack-vol01 +version: "3" +subfolder: 100-props-textures +info: + summary: Naoned Props Pack vol01 v3 + description: |- + This package includes many and varied props (227 props altogether through on three individual prop packs) created by Vnaoned. + + For LOTters, the PROPS are available in Lot Editor, under the names: VV\_ and VIP\_Props\_VV + + Xmas lights are timed props (1st december to 15th january). + Inflatable pool are timed props (summer / rest of the year). + Dead leaves are timed props (autumn). + author: Vnaoned + website: https://www.sc4evermore.com/index.php/downloads/download/188-vip-vnaoned-props-pack-vol01 + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/Icon_propspack_1.jpg + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/Icon_props_monument_1.jpg + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/Icon_fountain_Concorde_1.jpg +assets: + - assetId: vip-vnaoned-props-pack-vol01 + +--- +assetId: vip-vnaoned-props-pack-vol01 +version: "3" +lastModified: "2024-02-06T14:28:16.000Z" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=188%3Avip-vnaoned-props-pack-vol01 diff --git a/src/yaml/vortext/historic-monastery-props-and-mmps.yaml b/src/yaml/vortext/historic-monastery-props-and-mmps.yaml new file mode 100644 index 000000000..8e1083e56 --- /dev/null +++ b/src/yaml/vortext/historic-monastery-props-and-mmps.yaml @@ -0,0 +1,42 @@ +group: vortext +name: historic-monastery-mmps +version: "1" +subfolder: 180-flora +info: + summary: Historic Monastery MMPs + description: |- + Made by Krashspeed on request of Vortext, this download contains various monk BATs which will spice up the monastic life in your cities! + + For your convenience 4 different Mayor Mode Ploppables are included, found in 'Historic Monastery MMPs.dat'. + author: Vortext, Krashspeed + website: https://www.sc4evermore.com/index.php/downloads/download/25-flora-fauna-and-mayor-mode-ploppables/317-vortext-historic-monastery-props-and-mmps + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/Historic Monastery MMPs Overview.jpg +dependencies: + - vortext:historic-monastery-props +assets: + - assetId: vortext-historic-monastery-props-and-mmps + include: + - MMPs\.dat$ + +--- +group: vortext +name: historic-monastery-props +version: "1" +subfolder: 100-props-textures +info: + summary: Historic Monastery Props + author: Vortext, Krashspeed + website: https://www.sc4evermore.com/index.php/downloads/download/25-flora-fauna-and-mayor-mode-ploppables/317-vortext-historic-monastery-props-and-mmps + images: + - https://www.sc4evermore.com/images/jdownloads/screenshots/thumbnails/Historic Monastery MMPs Overview.jpg +assets: + - assetId: vortext-historic-monastery-props-and-mmps + include: + - Props\.dat$ + +--- +assetId: vortext-historic-monastery-props-and-mmps +version: "1" +lastModified: "2024-10-27T11:33:54.000Z" +url: https://www.sc4evermore.com/index.php/downloads?task=download.send&id=317%3Avortext-historic-monastery-props-and-mmps diff --git a/src/yaml/vortext/vortexture-1-and-2.yaml b/src/yaml/vortext/vortexture-1-and-2.yaml index d8f70505e..6d4de7534 100644 --- a/src/yaml/vortext/vortexture-1-and-2.yaml +++ b/src/yaml/vortext/vortexture-1-and-2.yaml @@ -9,7 +9,7 @@ assets: - "/Vortexture 1 - Base Set v..dat" info: summary: "Set of base textures" - description: > + description: | Vortexture 1 - BaseSet: A set of 42 new base textures for use in the Lot Editor. author: "vortext" images: @@ -29,10 +29,10 @@ info: summary: "Base and overlay textures of grass and dirt" description: | Vortexture 2 - Grass & Dirt v2: This set contains various sets of overlay and two-toned base textures based on the previously released set of base textures, for use in the Lot Editor. Included are: - 6 sets of grass overlays, 48 shapes per set - 6 sets of dirts overlays, 48 shapes per set - 5 sets of unpaved overlays, 32 shapes per set - 8 sets of two-tone base textures, 48 shapes per set + * 6 sets of grass overlays, 48 shapes per set + * 6 sets of dirts overlays, 48 shapes per set + * 5 sets of unpaved overlays, 32 shapes per set + * 8 sets of two-tone base textures, 48 shapes per set author: "vortext" images: - "https://www.sc4evermore.com/images/jdownloads/screenshots/Vortexture%202_lex%20pic%20vrtxtr2v2%20%20day.jpg" diff --git a/src/yaml/wannglondon/american-rowhomes.yaml b/src/yaml/wannglondon/american-rowhomes.yaml index 2cfd717af..270b3a1f7 100644 --- a/src/yaml/wannglondon/american-rowhomes.yaml +++ b/src/yaml/wannglondon/american-rowhomes.yaml @@ -11,7 +11,7 @@ variants: info: summary: "pack of midsize W2W buildings (R$$/R$$$)" - description: > + description: | Included is a set of 6 styles of american townhomes that are based on the pretty rowhomes found in Chicago, New York, and Philadelphia. They grow as medium & high wealth residential 1x2 W2W lots. diff --git a/src/yaml/wannglondon/new-york-pack-1.yaml b/src/yaml/wannglondon/new-york-pack-1.yaml index ec526b9e3..56c076784 100644 --- a/src/yaml/wannglondon/new-york-pack-1.yaml +++ b/src/yaml/wannglondon/new-york-pack-1.yaml @@ -11,7 +11,7 @@ variants: info: summary: "Pack of midsize New York styled buildings" - description: > + description: | Included is a set of 9 New York style mid-rises. They grow as R$$, R$$$, CS$$ and CS$$$ on the New York tile set. diff --git a/src/yaml/wannglondon/san-francisco-buildings.yaml b/src/yaml/wannglondon/san-francisco-buildings.yaml index a0437b804..c8a7bb6fe 100644 --- a/src/yaml/wannglondon/san-francisco-buildings.yaml +++ b/src/yaml/wannglondon/san-francisco-buildings.yaml @@ -11,7 +11,7 @@ variants: info: summary: "4 midsize W2W buildings (R$$)" - description: > + description: | Included are four Stage 5 R$$ W2W buildings from San Francisco which grow on 1×2 lots. conflicts: Only DarkNite models exist for these buildings, so the same models are installed with either nightmode setting. author: "WannGLondon" diff --git a/src/yaml/warrior/god-terraforming-in-mayor-mode.yaml b/src/yaml/warrior/god-terraforming-in-mayor-mode.yaml new file mode 100644 index 000000000..730f04cad --- /dev/null +++ b/src/yaml/warrior/god-terraforming-in-mayor-mode.yaml @@ -0,0 +1,25 @@ +group: "warrior" +name: "god-terraforming-in-mayor-mode" +version: "1.0" +subfolder: "150-mods" +assets: +- assetId: "warrior-god-terraforming-in-mayor-mode" +info: + summary: "Adds God Terraforming tools to Mayor Mode Terraforming menu" + description: | + This plugin modifies the Mayor Mode Terraforming Menu to include the God terraforming tools. + + This is meant to replace the Ctrl-Alt-Shift trick. + author: "warrior" + images: + - "https://www.simtropolis.com/objects/screens/0032/thumb-e1eb12a2255c85a230d56a4b090a5b5e-170fd8a426a570ecd605db07e439fdc9-lex_015.jpg" + website: "https://community.simtropolis.com/files/file/20092-god-terraforming-in-mayor-mode/" + +--- +url: "https://community.simtropolis.com/files/file/20092-god-terraforming-in-mayor-mode/?do=download" +assetId: "warrior-god-terraforming-in-mayor-mode" +version: "1.0" +lastModified: "2011-03-31T20:36:09Z" +archiveType: + format: Clickteam + version: "40" diff --git a/src/yaml/wmp/essentials.yaml b/src/yaml/wmp/essentials.yaml new file mode 100644 index 000000000..0c2932cfd --- /dev/null +++ b/src/yaml/wmp/essentials.yaml @@ -0,0 +1,30 @@ +group: wmp +name: essentials +version: "1.0.1" +subfolder: 100-props-textures +info: + summary: WMP Essentials + author: DocRorlach, WMP team, xxdita, Tyberius06 + website: https://community.simtropolis.com/files/file/33620-wmp-essentials-v101/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbdd9244bb2_WMPEssentials.jpg.dd3230029af5130cfe134bb921ad791f.jpg + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbdd94de456_WMPEssentials01.jpg.df0e06940c1a04c18670ef3b7278b547.jpg + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbdd9685da1_WMPEssentials02.jpg.6b0cd032a598b827cbc172090d896016.jpg +assets: + - assetId: wmp-essentials-v101 + include: + - /WMP/ + +variants: + - variant: { driveside: right } + - variant: { driveside: left } + assets: + - assetId: wmp-essentials-v101 + include: + - /z___zWMP_LHD_Paths.dat + +--- +assetId: wmp-essentials-v101 +version: "1.0.1" +lastModified: "2020-06-15T15:26:35Z" +url: https://community.simtropolis.com/files/file/33620-wmp-essentials-v101/?do=download diff --git a/src/yaml/wmp/mega-props.yaml b/src/yaml/wmp/mega-props.yaml index 5e6c91ed6..8a82a8cdc 100644 --- a/src/yaml/wmp/mega-props.yaml +++ b/src/yaml/wmp/mega-props.yaml @@ -46,3 +46,27 @@ assetId: "wmp-mega-props-vol02" version: "1.0.0" lastModified: "2020-05-25T15:27:43Z" url: "https://community.simtropolis.com/files/file/33622-wmp-mega-props-vol-02-misc-industrial-props/?do=download" + +--- +group: wmp +name: mega-props-vol05 +version: "1.0.0" +subfolder: 100-props-textures +info: + summary: Railway Props + author: DocRorlach, WMP team, xxdita, Tyberius06 + website: https://community.simtropolis.com/files/file/33625-wmp-mega-props-vol-05-railway-props/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbe50c47bac_WMPmegapackvol5.jpg.acd1105d5321e7302a32f69515660fda.jpg + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbe50e06a6b_WMPmegapackvol5-ADstationprops.jpg.8058b15b117ef1261ad8b59b570757c6.jpg + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbe50f837af_WMPmegapackvol5-centralstationprops.jpg.2c5194832f3771b5b2197a5aca4a5a73.jpg + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbe51172357_WMPmegapackvol5-railyardandfreightprops.jpg.9b6b0c8db28aa9a9f99c7e28a076e0a3.jpg + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbe5134da46_WMPmegapackvol5-smallrailprops.jpg.30b07c599cac315892c7097fec5ffca1.jpg +assets: + - assetId: wmp-mega-props-vol-05-railway-props + +--- +assetId: wmp-mega-props-vol-05-railway-props +version: "1.0.0" +lastModified: "2020-05-25T15:33:00Z" +url: https://community.simtropolis.com/files/file/33625-wmp-mega-props-vol-05-railway-props/?do=download diff --git a/src/yaml/wmp/mega-textures.yaml b/src/yaml/wmp/mega-textures.yaml new file mode 100644 index 000000000..791b691e3 --- /dev/null +++ b/src/yaml/wmp/mega-textures.yaml @@ -0,0 +1,20 @@ +group: wmp +name: mega-textures +version: "1.0.2" +subfolder: 100-props-textures +info: + summary: Mega Textures + description: |- + This new Mega Texture set contains the textures from all the previosly released WMP Texture packs (**WMP Textures 1-10** and the **WMP Mega Textures**) and it also has the textures from the previous **wmp\_spam\_freight\_props2**, **rfy\_warehouse** and **rfy\_cardealer** props, which contained some textures. + author: DocRorlach, WMP Team, pLynn, RFY Team + website: https://community.simtropolis.com/files/file/33626-wmp-mega-textures-v102/ + images: + - https://www.simtropolis.com/objects/screens/monthly_2020_05/5ecbe56fdd4c5_WMPMegaTextures.jpg.d397bb120692a2a37f1b950184196fc0.jpg +assets: + - assetId: wmp-mega-textures + +--- +assetId: wmp-mega-textures +version: "1.0.2" +lastModified: "2020-05-25T15:35:14Z" +url: https://community.simtropolis.com/files/file/33626-wmp-mega-textures-v102/?do=download