Compare commits
3 commits
94262a6d0d
...
65710fb9ca
Author | SHA1 | Date | |
---|---|---|---|
65710fb9ca | |||
f3464cced4 | |||
145c83d5f2 |
15 changed files with 29161 additions and 78525 deletions
|
@ -4,5 +4,10 @@
|
|||
# Exclude README
|
||||
/README.md
|
||||
|
||||
website
|
||||
venv
|
||||
venv
|
||||
requirements.txt
|
||||
*.sqlite
|
||||
pico.red.min.css
|
||||
style.css
|
||||
*.html
|
||||
*.py
|
678
collect-mod-descriptions.py
Normal file
678
collect-mod-descriptions.py
Normal file
|
@ -0,0 +1,678 @@
|
|||
#!/usr/bin/env python
|
||||
"""
|
||||
From the packwiz toml files, look up the mod descriptions from the modrinth API
|
||||
and collect them into an html page using yattag.
|
||||
|
||||
The toml files look like:
|
||||
|
||||
```
|
||||
name = "almostunified-fabric-1.20.1-0.9.4"
|
||||
filename = "almostunified-fabric-1.20.1-0.9.4.jar"
|
||||
side = "both"
|
||||
|
||||
[download]
|
||||
url = "https://cdn.modrinth.com/data/sdaSaQEz/versions/iVBf0ICr/almostunified-fabric-1.20.1-0.9.4.jar"
|
||||
hash = "ec47335d9d8b98c107a2b4cb4bada845669728f78c65df2ef2ee5e06d9ac866d276d09892896c216e30eb028a6fdd0a6cc92a8741eee1c14fa3d0ca24444cbdb"
|
||||
hash-format = "sha512"
|
||||
mode = "url"
|
||||
|
||||
[option]
|
||||
optional = false
|
||||
default = false
|
||||
|
||||
[update.modrinth]
|
||||
mod-id = "sdaSaQEz"
|
||||
version = "iVBf0ICr"
|
||||
```
|
||||
|
||||
So the update.modrinth.mod-id is the one to look up.
|
||||
"""
|
||||
|
||||
import os
|
||||
import toml
|
||||
from yattag import Doc, indent
|
||||
import requests_cache
|
||||
import logging
|
||||
from tqdm import tqdm
|
||||
import os
|
||||
import markdown
|
||||
from bs4 import BeautifulSoup
|
||||
from ordered_set import OrderedSet
|
||||
from dataclasses import dataclass, field
|
||||
from typing import List, Dict
|
||||
|
||||
|
||||
logging.basicConfig(level=logging.INFO)
|
||||
logger = logging.getLogger(__name__)
|
||||
|
||||
session = requests_cache.CachedSession("collectmoddescriptions", cache_control=True)
|
||||
|
||||
|
||||
@dataclass
|
||||
class ModCategory:
|
||||
title: str
|
||||
description: str
|
||||
mod_slugs: OrderedSet[str]
|
||||
subcategories: List["ModCategory"] = field(default_factory=list)
|
||||
hide_by_default: bool = False
|
||||
|
||||
|
||||
mod_categories = [
|
||||
ModCategory(
|
||||
title="Centerpieces",
|
||||
description="Mods that really tie the pack together.",
|
||||
mod_slugs=OrderedSet(),
|
||||
subcategories=[
|
||||
ModCategory(
|
||||
title="VR",
|
||||
description="Make the game an actual VR game.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"vivecraft",
|
||||
"immersivemc",
|
||||
"vrjesterapi",
|
||||
"simple-voice-chat",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Crawlin'",
|
||||
description="Make the murder-hobo dungeon crawling lifestyle viable and fun.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"when-dungeons-arise",
|
||||
"paladins-and-priests",
|
||||
"rogues-and-warriors",
|
||||
"wizards",
|
||||
"archers",
|
||||
"simply-skills",
|
||||
"combat-roll",
|
||||
"wall-jump-txf",
|
||||
"myloot",
|
||||
]
|
||||
),
|
||||
),
|
||||
],
|
||||
),
|
||||
ModCategory(
|
||||
title="Quality of Life",
|
||||
description="Make the basics less tedious.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"cadmus",
|
||||
"jei",
|
||||
"jade",
|
||||
"mob-plaques",
|
||||
"inventory-sorting",
|
||||
"reacharound",
|
||||
"xaeros-world-map",
|
||||
"xaeros-minimap",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="New Content (Spoilers)",
|
||||
description="New stuff you'll come across but is usually self-explanatory or has in-game guides. Show only if you want a preview of what's in the pack.",
|
||||
mod_slugs=OrderedSet(),
|
||||
subcategories=[
|
||||
ModCategory(
|
||||
title="Exploration",
|
||||
description="Make traversal more interesting.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"lets-do-camping",
|
||||
"gliders",
|
||||
"grappling-hook-mod-fabric",
|
||||
"small-ships",
|
||||
"mythic-mounts",
|
||||
"fwaystones",
|
||||
"explorers-compass",
|
||||
"natures-compass",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Combat",
|
||||
description="More ways to kill.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"better-combat",
|
||||
"mythquest",
|
||||
"mariums-soulslike-weaponry",
|
||||
"epic-knights-shields-armor-and-weapons",
|
||||
"epic-knightsnmages-fabric",
|
||||
"simply-swords",
|
||||
"basic-weapons",
|
||||
"jewelry",
|
||||
"artifacts",
|
||||
"mythic-upgrades",
|
||||
"tieredz",
|
||||
"kevs-tieredz-modifiers",
|
||||
"kevs-equipment-sets",
|
||||
"immersive-armors",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Mobs",
|
||||
description="More stuff to kill.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"guard-villagers-(fabricquilt)",
|
||||
"bosses-of-mass-destruction",
|
||||
"cave-dweller-fabric",
|
||||
"friends-and-foes",
|
||||
"mobs-of-mythology",
|
||||
"mutant-monsters",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Magic",
|
||||
description="Complicated ways to do stuff.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"archon",
|
||||
"invocations",
|
||||
"runes",
|
||||
"more-totems-of-undying",
|
||||
"zephyr-mod",
|
||||
"vein-mining",
|
||||
"zenith",
|
||||
"revive",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Structures",
|
||||
description="Places to crawl.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"minecells",
|
||||
"dungeon-now-loading",
|
||||
"dungeons-and-taverns",
|
||||
"wabi-sabi-structures",
|
||||
"immersive-structures",
|
||||
"immersive-structures-ii",
|
||||
"the-graveyard-fabric",
|
||||
"the-lost-castle",
|
||||
"kobold-outposts",
|
||||
"repurposed-structures-fabric",
|
||||
"adventurez",
|
||||
"better-archeology",
|
||||
"aquamirae",
|
||||
"villagersplus",
|
||||
"villages-and-pillages",
|
||||
"ct-overhaul-village",
|
||||
"friends-and-foes-beekeeper-hut-fabric",
|
||||
"friends-and-foes-flowery-mooblooms-fabric",
|
||||
"gazebos",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Biomes",
|
||||
description="More nature.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"terralith",
|
||||
"biomes-o-plenty",
|
||||
"bingusandfloppa",
|
||||
"promenade",
|
||||
"eldritch-end",
|
||||
"naturalist",
|
||||
"more-mob-variants",
|
||||
"valentines-blessing-lilypads-roses",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Ambiance",
|
||||
description="More pleasant sights and sounds.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"ambientsounds",
|
||||
"dynamic-lights",
|
||||
"presence-footsteps",
|
||||
"sound-physics-remastered",
|
||||
"nicer-skies",
|
||||
"distanthorizons",
|
||||
"true-darkness-fabric",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Vanilla Overhauls",
|
||||
description="Expanded vanilla content.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"mcda",
|
||||
"mcdw",
|
||||
"oxidized",
|
||||
"hellions-sniffer+",
|
||||
"geophilic",
|
||||
"betternether",
|
||||
"betterend",
|
||||
"deeperdarker",
|
||||
"nether-depths-upgrade",
|
||||
"yungs-better-desert-temples",
|
||||
"yungs-better-dungeons",
|
||||
"yungs-better-end-island",
|
||||
"yungs-better-jungle-temples",
|
||||
"yungs-better-mineshafts",
|
||||
"yungs-better-nether-fortresses",
|
||||
"yungs-better-ocean-monuments",
|
||||
"yungs-better-strongholds",
|
||||
"yungs-better-witch-huts",
|
||||
"yungs-bridges",
|
||||
"yungs-extras",
|
||||
"endrem",
|
||||
"macaws-bridges",
|
||||
"block-runner",
|
||||
"creeper-overhaul",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Decoration",
|
||||
description="More blocks for structures to be built with (your own or otherwise).",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"convenient-decor",
|
||||
"decorative-blocks",
|
||||
"double-doors",
|
||||
"handcrafted",
|
||||
"macaws-doors",
|
||||
"macaws-fences-and-walls",
|
||||
"macaws-furniture",
|
||||
"macaws-lights-and-lamps",
|
||||
"macaws-paintings",
|
||||
"macaws-paths-and-pavings",
|
||||
"macaws-roofs",
|
||||
"macaws-trapdoors",
|
||||
"macaws-windows",
|
||||
]
|
||||
),
|
||||
),
|
||||
],
|
||||
hide_by_default=True,
|
||||
),
|
||||
ModCategory(
|
||||
title="Internals",
|
||||
description="Mods that make the pack work, but you don't have to be aware of, unless you're really curious.",
|
||||
mod_slugs=OrderedSet(),
|
||||
subcategories=[
|
||||
ModCategory(
|
||||
title="Balancing",
|
||||
description="Tweak the balance for multiplayer crawlin'",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"village-spawn-point",
|
||||
"dungeon-difficulty",
|
||||
"rebalance",
|
||||
"protection-balancer",
|
||||
"starter-kit",
|
||||
"gravestones",
|
||||
"fallingtree",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Optimization",
|
||||
description="Make the game run faster",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"badoptimizations",
|
||||
"clumps",
|
||||
"ebe",
|
||||
"entityculling",
|
||||
"entitytexturefeatures",
|
||||
"immediatelyfast",
|
||||
"indium",
|
||||
"iris",
|
||||
"lithium",
|
||||
"memoryleakfix",
|
||||
"moreculling",
|
||||
"sodium",
|
||||
"starlight",
|
||||
"ferrite-core",
|
||||
"deuf-refabricated",
|
||||
"spark",
|
||||
"modernfix",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Fixes",
|
||||
description="just bugfixes or annoyances.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"dimensional-sync-fixes",
|
||||
"yungs-menu-tweaks",
|
||||
"too-fast",
|
||||
"no-chat-reports",
|
||||
"netherportalfix",
|
||||
"neruina",
|
||||
"debugify",
|
||||
"packet-fixer",
|
||||
"remove-terralith-intro-message",
|
||||
]
|
||||
),
|
||||
),
|
||||
ModCategory(
|
||||
title="Libraries",
|
||||
description="Dependencies that are used by other mods.",
|
||||
mod_slugs=OrderedSet(
|
||||
[
|
||||
"skills",
|
||||
"heracles",
|
||||
"zenith-attributes",
|
||||
"attributes",
|
||||
"way2wayfabric",
|
||||
"owo-lib",
|
||||
"spell-power",
|
||||
"spell-engine",
|
||||
"spoornpacks",
|
||||
"projectile-damage-attribute",
|
||||
"loot-patcher",
|
||||
"libz",
|
||||
"legendary-tooltips",
|
||||
"just-enough-resources-jer",
|
||||
"geckoanimfix",
|
||||
"forge-config-screens",
|
||||
"obscure-api",
|
||||
"vr-combat",
|
||||
"prism-lib",
|
||||
"yungs-api",
|
||||
"kevs-library",
|
||||
"lithostitched",
|
||||
"load-my-resources",
|
||||
"questbind",
|
||||
"lmft",
|
||||
"autotag",
|
||||
"almost-unified",
|
||||
"architectury-api",
|
||||
"attributefix",
|
||||
"azurelib",
|
||||
"azurelib-armor",
|
||||
"balm",
|
||||
"bclib",
|
||||
"bookshelf-lib",
|
||||
"cardinal-components-api",
|
||||
"cloth-config",
|
||||
"collective",
|
||||
"creativecore",
|
||||
"cristel-lib",
|
||||
"dawn",
|
||||
"terrablender",
|
||||
"mc-vr-api",
|
||||
"smartbrainlib",
|
||||
"ranged-weapon-api",
|
||||
"emi",
|
||||
"entity-model-features",
|
||||
"fabric-api",
|
||||
"fabric-language-kotlin",
|
||||
"fakerlib",
|
||||
"forge-config-api-port",
|
||||
"fzzy-core",
|
||||
"gear-core",
|
||||
"geckolib",
|
||||
"iceberg",
|
||||
"modmenu",
|
||||
"necronomicon",
|
||||
"patchouli",
|
||||
"playeranimator",
|
||||
"polymorph",
|
||||
"puzzles-lib",
|
||||
"resourceful-config",
|
||||
"resourceful-lib",
|
||||
"sodium-extra",
|
||||
"trinkets",
|
||||
"yacl",
|
||||
"azurelib",
|
||||
"azurelib-armor",
|
||||
"autotag",
|
||||
"argonauts",
|
||||
]
|
||||
),
|
||||
),
|
||||
],
|
||||
hide_by_default=True,
|
||||
),
|
||||
]
|
||||
|
||||
|
||||
def collect_mod_info(directory):
|
||||
mods = {}
|
||||
files = os.listdir(directory)
|
||||
for filename in tqdm(files, desc="Processing mod files", unit="file"):
|
||||
if filename.endswith(".toml"):
|
||||
file_path = os.path.join(directory, filename)
|
||||
logger.debug(f"Processing file: {file_path}")
|
||||
with open(file_path, "r") as file:
|
||||
data = toml.load(file)
|
||||
if "update" in data and "modrinth" in data["update"]:
|
||||
mod_id = data["update"]["modrinth"].get("mod-id")
|
||||
if mod_id:
|
||||
url = f"https://api.modrinth.com/v2/project/{mod_id}"
|
||||
response = session.get(url)
|
||||
if response.status_code == 200:
|
||||
project_data = response.json()
|
||||
mods[mod_id] = project_data
|
||||
else:
|
||||
raise Exception(
|
||||
f"Failed to fetch data for mod ID: {mod_id}"
|
||||
)
|
||||
return mods
|
||||
|
||||
|
||||
def get_modrinth_url(slug):
|
||||
return f"https://modrinth.com/mod/{slug}"
|
||||
|
||||
|
||||
def make_mod_descriptions_html(info, doc, tag, text):
|
||||
with tag("article", klass="mod-description"):
|
||||
with tag("details", klass="mod-description-details"):
|
||||
with tag("summary"):
|
||||
with tag("span"):
|
||||
with tag("a", href=get_modrinth_url(info["slug"])):
|
||||
if "icon_url" in info and info["icon_url"]:
|
||||
src = "" + info["icon_url"]
|
||||
doc.stag("img", src=src, klass="mod-icon")
|
||||
text(info["title"])
|
||||
text(" : ")
|
||||
with tag("span", klass="mod-summary"):
|
||||
text(info["description"])
|
||||
with tag("div", klass="full-description"):
|
||||
bodydoc = BeautifulSoup(
|
||||
markdown.markdown(info["body"]),
|
||||
features="html.parser",
|
||||
)
|
||||
# lazy load images when seen.
|
||||
for img in bodydoc.find_all("img"):
|
||||
img["loading"] = "lazy"
|
||||
# Remove all iframe embeds
|
||||
for iframe in bodydoc.find_all("iframe"):
|
||||
iframe.decompose()
|
||||
doc.asis(bodydoc.prettify())
|
||||
|
||||
|
||||
def _render_category_content(category, mod_info_by_slug, doc, tag, text):
|
||||
for slug in category.mod_slugs:
|
||||
if slug in mod_info_by_slug:
|
||||
make_mod_descriptions_html(mod_info_by_slug[slug], doc, tag, text)
|
||||
|
||||
for subcategory in category.subcategories:
|
||||
with tag("section", klass="mod-subcategory"):
|
||||
with tag("h3"):
|
||||
text(subcategory.title)
|
||||
with tag("p"):
|
||||
text(subcategory.description)
|
||||
|
||||
if subcategory.hide_by_default:
|
||||
with tag("details"):
|
||||
with tag("summary"):
|
||||
text("Show mods")
|
||||
_render_category_content(
|
||||
subcategory, mod_info_by_slug, doc, tag, text
|
||||
)
|
||||
else:
|
||||
_render_category_content(subcategory, mod_info_by_slug, doc, tag, text)
|
||||
|
||||
|
||||
def generate_html(mod_info):
|
||||
doc, tag, text = Doc().tagtext()
|
||||
|
||||
mod_info_by_slug = {}
|
||||
for id, info in mod_info.items():
|
||||
mod_info_by_slug[info["slug"]] = info
|
||||
|
||||
doc.asis("<!DOCTYPE html>")
|
||||
with tag("html"):
|
||||
with tag("head"):
|
||||
with tag("title"):
|
||||
text("VR Crawler Mod List")
|
||||
doc.stag("link", rel="stylesheet", href="pico.red.min.css")
|
||||
doc.stag("link", rel="stylesheet", href="style.css")
|
||||
|
||||
with tag("main", klass="container"):
|
||||
with tag("header"):
|
||||
with tag("h1"):
|
||||
text("VR Crawler Mod List")
|
||||
for category in mod_categories:
|
||||
with tag("section", klass="mod-category"):
|
||||
with tag("h2"):
|
||||
text(category.title)
|
||||
with tag("p"):
|
||||
text(category.description)
|
||||
|
||||
if category.hide_by_default:
|
||||
with tag("details"):
|
||||
with tag("summary"):
|
||||
text("(Show mods)")
|
||||
_render_category_content(
|
||||
category, mod_info_by_slug, doc, tag, text
|
||||
)
|
||||
else:
|
||||
_render_category_content(
|
||||
category, mod_info_by_slug, doc, tag, text
|
||||
)
|
||||
|
||||
return doc.getvalue()
|
||||
|
||||
|
||||
def generate_dot_graph(mod_info, dependency_tree):
|
||||
dot_content = "digraph ModDependencies {\n"
|
||||
dot_content += " node [shape=box];\n"
|
||||
|
||||
for mod_id, info in mod_info.items():
|
||||
url = get_modrinth_url(info["slug"])
|
||||
dot_content += f' "{mod_id}" [label="{info["title"]}", URL="{url}"];\n'
|
||||
|
||||
for mod_id, deps in dependency_tree.items():
|
||||
for dep in deps["dependencies"]:
|
||||
dot_content += f' "{mod_id}" -> "{dep}";\n'
|
||||
|
||||
dot_content += "}"
|
||||
return dot_content
|
||||
|
||||
|
||||
def generate_text(mod_info):
|
||||
text_content = ""
|
||||
for mod_id, info in mod_info.items():
|
||||
text_content += f"Title: {info['title']}\n"
|
||||
text_content += f"Slug: {info['slug']}\n"
|
||||
text_content += f"Categories: {', '.join(info['categories'])}\n"
|
||||
text_content += f"Summary: {info['description']}\n"
|
||||
|
||||
# Extract text from long body using markdown and BeautifulSoup
|
||||
bodydoc = BeautifulSoup(markdown.markdown(info["body"]), features="html.parser")
|
||||
long_description = bodydoc.get_text(separator="\n", strip=True)
|
||||
text_content += f"Description (truncated):\n{long_description[:200]}\n\n"
|
||||
|
||||
return text_content
|
||||
|
||||
|
||||
def main(directory, output_filename, output_format="html"):
|
||||
mod_info = collect_mod_info(directory)
|
||||
# Check for discrepancies between mod_info and manual_mod_categories
|
||||
mod_info_set = set(info["slug"] for info in mod_info.values())
|
||||
manual_categories_set = set()
|
||||
slug_category_count = {}
|
||||
for category in mod_categories:
|
||||
slugs = category.mod_slugs
|
||||
manual_categories_set.update(slugs)
|
||||
for slug in slugs:
|
||||
if slug in slug_category_count:
|
||||
slug_category_count[slug].append(category.title)
|
||||
else:
|
||||
slug_category_count[slug] = [category.title]
|
||||
for subcategory in category.subcategories:
|
||||
slugs = subcategory.mod_slugs
|
||||
manual_categories_set.update(slugs)
|
||||
for slug in slugs:
|
||||
if slug in slug_category_count:
|
||||
slug_category_count[slug].append(category.title)
|
||||
else:
|
||||
slug_category_count[slug] = [category.title]
|
||||
|
||||
for slug, categories in slug_category_count.items():
|
||||
if len(categories) > 1:
|
||||
print(
|
||||
f"Warning: Slug '{slug}' is present in multiple categories: {', '.join(categories)}"
|
||||
)
|
||||
|
||||
mods_not_in_categories = mod_info_set - manual_categories_set
|
||||
categories_not_in_mods = manual_categories_set - mod_info_set
|
||||
|
||||
if mods_not_in_categories:
|
||||
logger.warning(
|
||||
"Mods not in manual categories:" + ",\n".join(mods_not_in_categories)
|
||||
)
|
||||
if categories_not_in_mods:
|
||||
logger.warning(
|
||||
"Mods manually categorized but not in pack:"
|
||||
+ ",\n".join(categories_not_in_mods)
|
||||
)
|
||||
|
||||
if output_format == "html":
|
||||
output_content = generate_html(mod_info)
|
||||
elif output_format == "text":
|
||||
output_content = generate_text(mod_info)
|
||||
else:
|
||||
raise ValueError("Invalid output format.")
|
||||
|
||||
with open(output_filename, "w", encoding="utf-8") as f:
|
||||
f.write(output_content)
|
||||
|
||||
print(
|
||||
f"File with mod descriptions and dependency tree has been generated: {output_filename}"
|
||||
)
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
import sys
|
||||
|
||||
if len(sys.argv) != 3:
|
||||
print("Usage: python script.py <directory> <output_filename>")
|
||||
print("output_filename should end with '.html', '.json', '.dot', or '.txt'")
|
||||
sys.exit(1)
|
||||
|
||||
directory = sys.argv[1]
|
||||
output_filename = sys.argv[2]
|
||||
|
||||
if output_filename.lower().endswith(".html"):
|
||||
output_format = "html"
|
||||
elif output_filename.lower().endswith(".json"):
|
||||
output_format = "json"
|
||||
elif output_filename.lower().endswith(".dot"):
|
||||
output_format = "dot"
|
||||
elif output_filename.lower().endswith(".txt"):
|
||||
output_format = "text"
|
||||
else:
|
||||
print(
|
||||
"Error: output_filename must end with '.html', '.json', '.dot', or '.txt'"
|
||||
)
|
||||
sys.exit(1)
|
||||
|
||||
main(directory, output_filename, output_format)
|
BIN
collectmoddescriptions.sqlite
Normal file
BIN
collectmoddescriptions.sqlite
Normal file
Binary file not shown.
87
index.html
Normal file
87
index.html
Normal file
|
@ -0,0 +1,87 @@
|
|||
<!DOCTYPE html>
|
||||
<html>
|
||||
<title>/vrg/ Crawler</title>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<link rel="stylesheet" href="pico.red.min.css">
|
||||
<main class="container">
|
||||
<h1>/vrg/ Crawler</h1>
|
||||
|
||||
<p>Experience the least bad co-op dungeon crawling game in VR.</p>
|
||||
|
||||
<h2>What is this?</h2>
|
||||
<p>
|
||||
/vrg/ crawler is a Minecraft server and associated modpack that converts the game into a co-op dungeon crawling
|
||||
VR game, to the best of our ability. Think Ancient Dungeon, or Dungeons of Eternity, but good. You may enjoy
|
||||
this
|
||||
even if you don't like Minecraft.
|
||||
</p>
|
||||
<section id="features">
|
||||
<h2> Features </h2>
|
||||
<div class="grid">
|
||||
<article>Waggle Combat</article>
|
||||
<article>Skills</article>
|
||||
<article>Classes</article>
|
||||
<article>Magic</article>
|
||||
<article>Dungeons</article>
|
||||
<article>Loot</article>
|
||||
</div>
|
||||
</section>
|
||||
<section id="nb">
|
||||
<h2>Is this still Minecraft?</h2>
|
||||
<p>
|
||||
We've optimized this for combat, exploring, and looting, because these are actually fun to do in VR.
|
||||
The usual mining and crafting and building are still possible, but we've found that they just don't lend
|
||||
themselves to actually moving your arms around; inevitably, everyone just logs on in flat mode instead.
|
||||
</p>
|
||||
<p>If you want a more vanilla
|
||||
experience, try the other <a href="https://rentry.org/xrd2e">/vrg/ NA minecraft server</a>, or one of the <a
|
||||
href="https://boards.4chan.org/vm/catalog#s=minecraft">servers shilled on /vm/</a> .
|
||||
</p>
|
||||
</section>
|
||||
|
||||
<section id="download">
|
||||
<h2>Download</h2>
|
||||
<p>You have several options:</p>
|
||||
<div class="grid">
|
||||
<article>
|
||||
<details>
|
||||
<summary>Just give me the exe nerd</summary>
|
||||
<p>Ok.</p>
|
||||
</details>
|
||||
</article>
|
||||
<article>
|
||||
<details>
|
||||
<summary>I have MultiMC/PolyMC/Prism Launcher already</summary>
|
||||
<p>Ok.</p>
|
||||
</details>
|
||||
</article>
|
||||
<article>
|
||||
<details>
|
||||
<summary>I have my own autistic minecraft launcher setup, just give me the jars</summary>
|
||||
<p>Ok.</p>
|
||||
</details>
|
||||
</article>
|
||||
|
||||
</div>
|
||||
</section>
|
||||
|
||||
<section id="download">
|
||||
<h2>How to Play</h2>
|
||||
<p>
|
||||
Start the game, then connect to the server that's prefilled in the multiplayer menu.
|
||||
If it's your first time playing, you'll get some books in your inventory that explain things.
|
||||
</p>
|
||||
<p>
|
||||
If you're entirely new to vivecraft, you may have to set up the SteamVR bindings. TODO: link instructions
|
||||
</p>
|
||||
</section>
|
||||
|
||||
<section id="faq">
|
||||
<h3>What's actually in the mod pack?</h3>
|
||||
<p>See <a href=mods.html>the full modlist</a> for a nicely categorized list, with expandable full descriptions
|
||||
and links to the modrinth pages.</p>
|
||||
<h3>Something broke / the server is down!</h3>
|
||||
<p>Complain in <a href=vrg.party>the thread</a>, I'll see it.</p>
|
||||
</section>
|
||||
</main>
|
File diff suppressed because one or more lines are too long
4
pico.red.min.css
vendored
Normal file
4
pico.red.min.css
vendored
Normal file
File diff suppressed because one or more lines are too long
22
requirements.txt
Normal file
22
requirements.txt
Normal file
|
@ -0,0 +1,22 @@
|
|||
attrs==24.2.0
|
||||
beautifulsoup4==4.12.3
|
||||
cattrs==23.2.3
|
||||
certifi==2024.7.4
|
||||
charset-normalizer==3.3.2
|
||||
colorama==0.4.6
|
||||
exceptiongroup==1.2.2
|
||||
idna==3.7
|
||||
Markdown==3.6
|
||||
modrinth==0.1.5
|
||||
ordered-set==4.1.0
|
||||
platformdirs==4.2.2
|
||||
requests==2.32.3
|
||||
requests-cache==1.2.1
|
||||
six==1.16.0
|
||||
soupsieve==2.6
|
||||
toml==0.10.2
|
||||
tqdm==4.66.5
|
||||
typing_extensions==4.12.2
|
||||
url-normalize==1.4.3
|
||||
urllib3==2.2.2
|
||||
yattag==1.16.0
|
15
style.css
Normal file
15
style.css
Normal file
|
@ -0,0 +1,15 @@
|
|||
.full-description {
|
||||
max-height: 80vh;
|
||||
overflow-y: auto;
|
||||
}
|
||||
|
||||
.mod-icon,
|
||||
.mod-icon-category {
|
||||
height: 2em;
|
||||
vertical-align: middle;
|
||||
margin-right: 5px;
|
||||
}
|
||||
|
||||
.mod-description-details {
|
||||
--pico-spacing: 0;
|
||||
}
|
|
@ -1,265 +0,0 @@
|
|||
#!/usr/bin/env python
|
||||
"""
|
||||
From the packwiz toml files, look up the mod descriptions from the modrinth API
|
||||
and collect them into an html page using yattag.
|
||||
|
||||
The toml files look like:
|
||||
|
||||
```
|
||||
name = "almostunified-fabric-1.20.1-0.9.4"
|
||||
filename = "almostunified-fabric-1.20.1-0.9.4.jar"
|
||||
side = "both"
|
||||
|
||||
[download]
|
||||
url = "https://cdn.modrinth.com/data/sdaSaQEz/versions/iVBf0ICr/almostunified-fabric-1.20.1-0.9.4.jar"
|
||||
hash = "ec47335d9d8b98c107a2b4cb4bada845669728f78c65df2ef2ee5e06d9ac866d276d09892896c216e30eb028a6fdd0a6cc92a8741eee1c14fa3d0ca24444cbdb"
|
||||
hash-format = "sha512"
|
||||
mode = "url"
|
||||
|
||||
[option]
|
||||
optional = false
|
||||
default = false
|
||||
|
||||
[update.modrinth]
|
||||
mod-id = "sdaSaQEz"
|
||||
version = "iVBf0ICr"
|
||||
```
|
||||
|
||||
So the update.modrinth.mod-id is the one to look up.
|
||||
"""
|
||||
|
||||
import os
|
||||
import toml
|
||||
import requests
|
||||
from yattag import Doc, indent
|
||||
import requests_cache
|
||||
import logging
|
||||
from tqdm import tqdm
|
||||
import json
|
||||
import os
|
||||
import markdown
|
||||
from bs4 import BeautifulSoup
|
||||
|
||||
|
||||
logging.basicConfig(level=logging.INFO)
|
||||
logger = logging.getLogger(__name__)
|
||||
|
||||
session = requests_cache.CachedSession('collectmoddescriptions', cache_control=True)
|
||||
|
||||
|
||||
def collect_mod_info(directory):
|
||||
mods = {}
|
||||
files = os.listdir(directory)
|
||||
for filename in tqdm(files, desc="Processing mod files", unit="file"):
|
||||
if filename.endswith('.toml'):
|
||||
file_path = os.path.join(directory, filename)
|
||||
logger.debug(f"Processing file: {file_path}")
|
||||
with open(file_path, 'r') as file:
|
||||
data = toml.load(file)
|
||||
if 'update' in data and 'modrinth' in data['update']:
|
||||
mod_id = data['update']['modrinth'].get('mod-id')
|
||||
if mod_id:
|
||||
url = f"https://api.modrinth.com/v2/project/{mod_id}"
|
||||
response = session.get(url)
|
||||
if response.status_code == 200:
|
||||
project_data = response.json()
|
||||
mods[mod_id] = project_data
|
||||
else:
|
||||
raise Exception(f"Failed to fetch data for mod ID: {mod_id}")
|
||||
return mods
|
||||
|
||||
"""
|
||||
Calculate the dependency tree of the flat list of mod version ids, such that mods that aren't
|
||||
depended on by other mods are at the top level, and other mods are nested
|
||||
under the top-level mods that depend on them (possibly mulitiple times).
|
||||
|
||||
In the Modrinth schema, a project has versions, which have dependencies on other
|
||||
project's versions.
|
||||
"""
|
||||
def get_mod_dependencies(version_id):
|
||||
url = f"https://api.modrinth.com/v2/version/{version_id}"
|
||||
response = requests.get(url)
|
||||
if response.status_code == 200:
|
||||
version_data = response.json()
|
||||
dependencies = version_data.get('dependencies', [])
|
||||
return [dep["project_id"] for dep in dependencies if dep.get('dependency_type') == 'required']
|
||||
else:
|
||||
print(f"Error fetching version data: {response.status_code}")
|
||||
return []
|
||||
|
||||
def build_dependency_tree(directory):
|
||||
cache_file = 'dependency_tree_cache.json'
|
||||
if os.path.exists(cache_file):
|
||||
with open(cache_file, 'r') as f:
|
||||
return json.load(f)
|
||||
|
||||
dependency_tree = {}
|
||||
files = os.listdir(directory)
|
||||
for filename in tqdm(files, desc="Building dependency tree", unit="file"):
|
||||
if filename.endswith('.toml'):
|
||||
file_path = os.path.join(directory, filename)
|
||||
with open(file_path, 'r') as file:
|
||||
data = toml.load(file)
|
||||
if 'update' in data and 'modrinth' in data['update']:
|
||||
mod_id = data['update']['modrinth'].get('mod-id')
|
||||
version_id = data['update']['modrinth'].get('version')
|
||||
if mod_id and version_id:
|
||||
dependencies = get_mod_dependencies(version_id)
|
||||
dependency_tree[mod_id] = {
|
||||
'name': data['name'],
|
||||
'version_id': version_id,
|
||||
'dependencies': dependencies
|
||||
}
|
||||
|
||||
with open(cache_file, 'w') as f:
|
||||
json.dump(dependency_tree, f)
|
||||
|
||||
return dependency_tree
|
||||
|
||||
def get_modrinth_url(slug):
|
||||
return f"https://modrinth.com/mod/{slug}"
|
||||
|
||||
def render_dependency_tree(tree, mod_id, mod_info, level=0):
|
||||
doc, tag, text = Doc().tagtext()
|
||||
mod_data = tree.get(mod_id)
|
||||
if mod_data:
|
||||
with tag('div', style=f"margin-left: {level * 20}px;"):
|
||||
with tag('h3'):
|
||||
with tag('a', href=get_modrinth_url(mod_info[mod_id]['slug'])):
|
||||
text(mod_data['name'])
|
||||
for dep_id in mod_data['dependencies']:
|
||||
if dep_id in tree:
|
||||
doc.asis(render_dependency_tree(tree, dep_id, mod_info, level + 1))
|
||||
return doc.getvalue()
|
||||
# mods you need to know about
|
||||
# content you can find in the world
|
||||
# optimization
|
||||
# dependencies
|
||||
|
||||
def generate_html(mod_info, dependency_tree):
|
||||
doc, tag, text = Doc().tagtext()
|
||||
|
||||
doc.asis('<!DOCTYPE html>')
|
||||
with tag('html'):
|
||||
with tag('head'):
|
||||
with tag('title'):
|
||||
text('Mod Descriptions and Dependencies')
|
||||
doc.stag('link', rel='stylesheet', href='pico.min.css')
|
||||
doc.stag('link', rel='stylesheet', href='style.css')
|
||||
|
||||
with tag('main', klass="container"):
|
||||
with tag('h1'):
|
||||
text('Mod Descriptions and Dependencies')
|
||||
|
||||
with tag('h2'):
|
||||
text('Mod Descriptions')
|
||||
with tag('div', id='mod-descriptions'):
|
||||
for mod_id, info in mod_info.items():
|
||||
with tag('article', klass='mod-description'):
|
||||
with tag('header'):
|
||||
with tag('h3'):
|
||||
if 'icon_url' in info and info['icon_url']:
|
||||
src = ""+info['icon_url']
|
||||
doc.stag('img', src=src, klass='mod-icon')
|
||||
with tag('a', href=get_modrinth_url(info['slug'])):
|
||||
text(info['title'])
|
||||
with tag('ul', klass='categories'):
|
||||
for category in info['categories']:
|
||||
with tag('li', klass=category.lower().replace(' ', '-')):
|
||||
text(category)
|
||||
with tag('p'):
|
||||
with tag('details'):
|
||||
with tag('summary'):
|
||||
text(info['description'])
|
||||
with tag('div', klass='full-description'):
|
||||
bodydoc = BeautifulSoup(markdown.markdown(info['body']), features='html.parser')
|
||||
doc.asis(bodydoc.prettify())
|
||||
|
||||
with tag('h2'):
|
||||
text('Mods by Category')
|
||||
categories = {}
|
||||
for mod_id, mod_info_dict in mod_info.items():
|
||||
for category in mod_info_dict['categories']:
|
||||
if category not in categories:
|
||||
categories[category] = []
|
||||
categories[category].append((mod_info_dict['title'], mod_info_dict['slug'], mod_info_dict['description'], mod_info_dict['icon_url']))
|
||||
|
||||
for category, mods in categories.items():
|
||||
with tag('h3'):
|
||||
text(category)
|
||||
with tag('ul'):
|
||||
for (mod_name, slug, description, icon_url) in mods:
|
||||
with tag('li'):
|
||||
if icon_url:
|
||||
doc.stag('img', src=icon_url, alt=f"{mod_name} icon", klass="mod-icon-category")
|
||||
with tag('a', href=get_modrinth_url(slug)):
|
||||
text(mod_name)
|
||||
text(f": {description}")
|
||||
|
||||
with tag('h2'):
|
||||
text('Dependency Tree')
|
||||
for mod_id in dependency_tree:
|
||||
if not any(mod_id in dep['dependencies'] for dep in dependency_tree.values()):
|
||||
doc.asis(render_dependency_tree(dependency_tree, mod_id, mod_info))
|
||||
|
||||
return doc.getvalue()
|
||||
|
||||
def generate_dot_graph(mod_info, dependency_tree):
|
||||
dot_content = "digraph ModDependencies {\n"
|
||||
dot_content += " node [shape=box];\n"
|
||||
|
||||
for mod_id, info in mod_info.items():
|
||||
url = get_modrinth_url(info['slug'])
|
||||
dot_content += f' "{mod_id}" [label="{info["title"]}", URL="{url}"];\n'
|
||||
|
||||
for mod_id, deps in dependency_tree.items():
|
||||
for dep in deps['dependencies']:
|
||||
dot_content += f' "{mod_id}" -> "{dep}";\n'
|
||||
|
||||
dot_content += "}"
|
||||
return dot_content
|
||||
|
||||
|
||||
def main(directory, output_filename, output_format='html'):
|
||||
mod_info = collect_mod_info(directory)
|
||||
dependency_tree = build_dependency_tree(directory)
|
||||
|
||||
if output_format == 'html':
|
||||
output_content = generate_html(mod_info, dependency_tree)
|
||||
elif output_format == 'json':
|
||||
import json
|
||||
output_content = json.dumps({
|
||||
'mod_info': mod_info,
|
||||
'dependency_tree': dependency_tree
|
||||
}, indent=2)
|
||||
elif output_format == 'dot':
|
||||
output_content = generate_dot_graph(mod_info, dependency_tree)
|
||||
else:
|
||||
raise ValueError("Invalid output format. Use 'html', 'json', or 'dot'.")
|
||||
|
||||
with open(output_filename, 'w', encoding='utf-8') as f:
|
||||
f.write(output_content)
|
||||
|
||||
print(f"File with mod descriptions and dependency tree has been generated: {output_filename}")
|
||||
|
||||
if __name__ == '__main__':
|
||||
import sys
|
||||
if len(sys.argv) != 3:
|
||||
print("Usage: python script.py <directory> <output_filename>")
|
||||
print("output_filename should end with '.html', '.json', or '.dot'")
|
||||
sys.exit(1)
|
||||
|
||||
directory = sys.argv[1]
|
||||
output_filename = sys.argv[2]
|
||||
|
||||
if output_filename.lower().endswith('.html'):
|
||||
output_format = 'html'
|
||||
elif output_filename.lower().endswith('.json'):
|
||||
output_format = 'json'
|
||||
elif output_filename.lower().endswith('.dot'):
|
||||
output_format = 'dot'
|
||||
else:
|
||||
print("Error: output_filename must end with '.html', '.json', or '.dot'")
|
||||
sys.exit(1)
|
||||
|
||||
main(directory, output_filename, output_format)
|
3760
website/graph.svg
3760
website/graph.svg
File diff suppressed because it is too large
Load diff
Before Width: | Height: | Size: 207 KiB |
|
@ -1,8 +0,0 @@
|
|||
<!DOCTYPE html>
|
||||
<html>
|
||||
<title>Minecraft Crawler</title>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<main>
|
||||
|
||||
</main>
|
511
website/mods.dot
511
website/mods.dot
|
@ -1,511 +0,0 @@
|
|||
digraph ModDependencies {
|
||||
rankdir=LR;
|
||||
node [shape=box];
|
||||
"defK2XM3" [label="AdventureZ", URL="https://modrinth.com/mod/adventurez"];
|
||||
"sdaSaQEz" [label="Almost Unified", URL="https://modrinth.com/mod/almost-unified"];
|
||||
"fM515JnW" [label="AmbientSounds", URL="https://modrinth.com/mod/ambientsounds"];
|
||||
"k23mNPhZ" [label="Aquamirae", URL="https://modrinth.com/mod/aquamirae"];
|
||||
"QgooUXAJ" [label="Archers (RPG Series)", URL="https://modrinth.com/mod/archers"];
|
||||
"lhGA9TYQ" [label="Architectury API", URL="https://modrinth.com/mod/architectury-api"];
|
||||
"td9zQQBq" [label="Archon", URL="https://modrinth.com/mod/archon"];
|
||||
"bb2EpKpx" [label="Argonauts", URL="https://modrinth.com/mod/argonauts"];
|
||||
"P0Mu4wcQ" [label="Artifacts", URL="https://modrinth.com/mod/artifacts"];
|
||||
"lOOpEntO" [label="AttributeFix", URL="https://modrinth.com/mod/attributefix"];
|
||||
"8FdYDHF5" [label="AutoTag", URL="https://modrinth.com/mod/autotag"];
|
||||
"7zlUOZvb" [label="AzureLib", URL="https://modrinth.com/mod/azurelib"];
|
||||
"pduQXSbl" [label="AzureLib Armor", URL="https://modrinth.com/mod/azurelib-armor"];
|
||||
"g96Z4WVZ" [label="BadOptimizations", URL="https://modrinth.com/mod/badoptimizations"];
|
||||
"MBAkmtvl" [label="Balm", URL="https://modrinth.com/mod/balm"];
|
||||
"sc2Pektv" [label="Basic Weapons", URL="https://modrinth.com/mod/basic-weapons"];
|
||||
"BgNRHReB" [label="BCLib", URL="https://modrinth.com/mod/bclib"];
|
||||
"Kt4RVKEd" [label="Friends&Foes - Beekeeper Hut (Fabric/Quilt)", URL="https://modrinth.com/mod/friends-and-foes-beekeeper-hut-fabric"];
|
||||
"gc8OEnCC" [label="BetterEnd", URL="https://modrinth.com/mod/betterend"];
|
||||
"MpzVLzy5" [label="BetterNether", URL="https://modrinth.com/mod/betternether"];
|
||||
"zCh7omyG" [label="Better Archeology", URL="https://modrinth.com/mod/better-archeology"];
|
||||
"5sy6g3kz" [label="Better Combat", URL="https://modrinth.com/mod/better-combat"];
|
||||
"VdEsgz29" [label="Bingus & Floppa", URL="https://modrinth.com/mod/bingusandfloppa"];
|
||||
"HXF82T3G" [label="Biomes O' Plenty", URL="https://modrinth.com/mod/biomes-o-plenty"];
|
||||
"1VSGxqkt" [label="Block Runner", URL="https://modrinth.com/mod/block-runner"];
|
||||
"du3UfiLL" [label="Bosses of Mass Destruction", URL="https://modrinth.com/mod/bosses-of-mass-destruction"];
|
||||
"uy4Cnpcm" [label="Bookshelf", URL="https://modrinth.com/mod/bookshelf-lib"];
|
||||
"fEWKxVzh" [label="Cadmus", URL="https://modrinth.com/mod/cadmus"];
|
||||
"K01OU20C" [label="Cardinal Components API", URL="https://modrinth.com/mod/cardinal-components-api"];
|
||||
"cChd25Tw" [label="Cave Dweller Fabric", URL="https://modrinth.com/mod/cave-dweller-fabric"];
|
||||
"9s6osm5g" [label="Cloth Config API", URL="https://modrinth.com/mod/cloth-config"];
|
||||
"Wnxd13zP" [label="Clumps", URL="https://modrinth.com/mod/clumps"];
|
||||
"e0M1UDsY" [label="Collective", URL="https://modrinth.com/mod/collective"];
|
||||
"wGKYL7st" [label="Combat Roll", URL="https://modrinth.com/mod/combat-roll"];
|
||||
"gMWAhU1n" [label="Convenient Decor", URL="https://modrinth.com/mod/convenient-decor"];
|
||||
"OsZiaDHq" [label="CreativeCore", URL="https://modrinth.com/mod/creativecore"];
|
||||
"MI1LWe93" [label="Creeper Overhaul", URL="https://modrinth.com/mod/creeper-overhaul"];
|
||||
"cl223EMc" [label="Cristel Lib", URL="https://modrinth.com/mod/cristel-lib"];
|
||||
"meZK2DCX" [label="Dawn API", URL="https://modrinth.com/mod/dawn"];
|
||||
"QwxR6Gcd" [label="Debugify", URL="https://modrinth.com/mod/debugify"];
|
||||
"t6BIRVZn" [label="Decorative Blocks", URL="https://modrinth.com/mod/decorative-blocks"];
|
||||
"fnAffV0n" [label="Deeper and Darker", URL="https://modrinth.com/mod/deeperdarker"];
|
||||
"US6QuKdU" [label="DEUF Refabricated", URL="https://modrinth.com/mod/deuf-refabricated"];
|
||||
"445bpKSe" [label="Dimensional Sync Fixes", URL="https://modrinth.com/mod/dimensional-sync-fixes"];
|
||||
"uCdwusMi" [label="Distant Horizons", URL="https://modrinth.com/mod/distanthorizons"];
|
||||
"JrvR9OHr" [label="Double Doors", URL="https://modrinth.com/mod/double-doors"];
|
||||
"vZoqTqwv" [label="Dungeon Now Loading", URL="https://modrinth.com/mod/dungeon-now-loading"];
|
||||
"tpehi7ww" [label="Dungeons and Taverns", URL="https://modrinth.com/mod/dungeons-and-taverns"];
|
||||
"ENZmbSFZ" [label="Dungeon Difficulty", URL="https://modrinth.com/mod/dungeon-difficulty"];
|
||||
"7YjclEGc" [label="Dynamic Lights", URL="https://modrinth.com/mod/dynamic-lights"];
|
||||
"nBaXIQY9" [label="Eldritch End", URL="https://modrinth.com/mod/eldritch-end"];
|
||||
"fRiHVvU7" [label="EMI", URL="https://modrinth.com/mod/emi"];
|
||||
"OVuFYfre" [label="Enhanced Block Entities", URL="https://modrinth.com/mod/ebe"];
|
||||
"NNAgCjsB" [label="Entity Culling", URL="https://modrinth.com/mod/entityculling"];
|
||||
"4I1XuqiY" [label="[EMF] Entity Model Features", URL="https://modrinth.com/mod/entity-model-features"];
|
||||
"BVzZfTc1" [label="[ETF] Entity Texture Features", URL="https://modrinth.com/mod/entitytexturefeatures"];
|
||||
"26nL5g7F" [label="Epic Knights'n'Mages - Fabric", URL="https://modrinth.com/mod/epic-knightsnmages-fabric"];
|
||||
"RV1qfVQ8" [label="Explorer's Compass", URL="https://modrinth.com/mod/explorers-compass"];
|
||||
"P7dR8mSH" [label="Fabric API", URL="https://modrinth.com/mod/fabric-api"];
|
||||
"ZJTGwAND" [label="End Remastered", URL="https://modrinth.com/mod/endrem"];
|
||||
"Ha28R6CL" [label="Fabric Language Kotlin", URL="https://modrinth.com/mod/fabric-language-kotlin"];
|
||||
"ORX9fPw1" [label="FakerLib", URL="https://modrinth.com/mod/fakerlib"];
|
||||
"Fb4jn8m6" [label="FallingTree", URL="https://modrinth.com/mod/fallingtree"];
|
||||
"uXXizFIs" [label="FerriteCore", URL="https://modrinth.com/mod/ferrite-core"];
|
||||
"ECOSu6pa" [label="Friends&Foes - Flowery Mooblooms (Fabric/Quilt)", URL="https://modrinth.com/mod/friends-and-foes-flowery-mooblooms-fabric"];
|
||||
"ohNO6lps" [label="Forge Config API Port", URL="https://modrinth.com/mod/forge-config-api-port"];
|
||||
"5WeWGLoJ" [label="Forge Config Screens", URL="https://modrinth.com/mod/forge-config-screens"];
|
||||
"POQ2i9zu" [label="Friends&Foes (Fabric/Quilt)", URL="https://modrinth.com/mod/friends-and-foes"];
|
||||
"LJ5wlCDr" [label="Fzzy Core", URL="https://modrinth.com/mod/fzzy-core"];
|
||||
"XIpMGI6r" [label="Gazebos (RPG Series)", URL="https://modrinth.com/mod/gazebos"];
|
||||
"t7eXC8r7" [label="Gear Core", URL="https://modrinth.com/mod/gear-core"];
|
||||
"8BmcQJ2H" [label="Geckolib", URL="https://modrinth.com/mod/geckolib"];
|
||||
"TbriQCWD" [label="Iris/Oculus & GeckoLib Compat", URL="https://modrinth.com/mod/geckoanimfix"];
|
||||
"hl5OLM95" [label="Geophilic", URL="https://modrinth.com/mod/geophilic"];
|
||||
"f4hp6FTb" [label="Grappling Hook Mod: Restitched", URL="https://modrinth.com/mod/grappling-hook-mod-fabric"];
|
||||
"ssUbhMkL" [label="Gravestones", URL="https://modrinth.com/mod/gravestones"];
|
||||
"59rkB3YY" [label="Guard Villagers (Fabric/Quilt)", URL="https://modrinth.com/mod/guard-villagers-(fabricquilt)"];
|
||||
"pJmCFF0p" [label="Handcrafted", URL="https://modrinth.com/mod/handcrafted"];
|
||||
"lo90fZoB" [label="Heracles", URL="https://modrinth.com/mod/heracles"];
|
||||
"5faXoLqX" [label="Iceberg", URL="https://modrinth.com/mod/iceberg"];
|
||||
"5ZwdcRci" [label="ImmediatelyFast", URL="https://modrinth.com/mod/immediatelyfast"];
|
||||
"XJ9is6vj" [label="ImmersiveMC", URL="https://modrinth.com/mod/immersivemc"];
|
||||
"eE2Db4YU" [label="Immersive Armors", URL="https://modrinth.com/mod/immersive-armors"];
|
||||
"CVBAErky" [label="Immersive structures", URL="https://modrinth.com/mod/immersive-structures"];
|
||||
"fECIioDQ" [label="Immersive Structures II: Nether edition", URL="https://modrinth.com/mod/immersive-structures-ii"];
|
||||
"Orvt0mRa" [label="Indium", URL="https://modrinth.com/mod/indium"];
|
||||
"5ibSyLAz" [label="Inventory Sorting", URL="https://modrinth.com/mod/inventory-sorting"];
|
||||
"xwHe8V3O" [label="Invocations", URL="https://modrinth.com/mod/invocations"];
|
||||
"YL57xq9U" [label="Iris Shaders", URL="https://modrinth.com/mod/iris"];
|
||||
"nvQzSEkH" [label="Jade 🔍", URL="https://modrinth.com/mod/jade"];
|
||||
"u6dRKJwZ" [label="Just Enough Items", URL="https://modrinth.com/mod/jei"];
|
||||
"sNJAIjUm" [label="Jewelry (RPG Series)", URL="https://modrinth.com/mod/jewelry"];
|
||||
"Bb3Fi2JX" [label="Kev's TieredZ Modifiers", URL="https://modrinth.com/mod/kevs-tieredz-modifiers"];
|
||||
"ZSeB6n9M" [label="Kev's Equipment Sets", URL="https://modrinth.com/mod/kevs-equipment-sets"];
|
||||
"jq6pHt0U" [label="Kev's Library", URL="https://modrinth.com/mod/kevs-library"];
|
||||
"zxQ8fN7I" [label="Kobold Outposts", URL="https://modrinth.com/mod/kobold-outposts"];
|
||||
"atHH8NyV" [label="Legendary Tooltips", URL="https://modrinth.com/mod/legendary-tooltips"];
|
||||
"uJXTNuf0" [label="[Let's Do] Camping", URL="https://modrinth.com/mod/lets-do-camping"];
|
||||
"yUBXc3AH" [label="LibZ", URL="https://modrinth.com/mod/libz"];
|
||||
"gvQqBUqZ" [label="Lithium", URL="https://modrinth.com/mod/lithium"];
|
||||
"XaDC71GB" [label="Lithostitched", URL="https://modrinth.com/mod/lithostitched"];
|
||||
"67kVxsaO" [label="Load My F***ing Tags", URL="https://modrinth.com/mod/lmft"];
|
||||
"TqCKvqjC" [label="Load My Resources", URL="https://modrinth.com/mod/load-my-resources"];
|
||||
"oMitr7dU" [label="MC Dungeons Armors", URL="https://modrinth.com/mod/mcda"];
|
||||
"FZmGDE43" [label="MC Dungeons Weapons", URL="https://modrinth.com/mod/mcdw"];
|
||||
"GURcjz8O" [label="Macaw's Bridges", URL="https://modrinth.com/mod/macaws-bridges"];
|
||||
"kNxa8z3e" [label="Macaw's Doors", URL="https://modrinth.com/mod/macaws-doors"];
|
||||
"GmwLse2I" [label="Macaw's Fences and Walls", URL="https://modrinth.com/mod/macaws-fences-and-walls"];
|
||||
"dtWC90iB" [label="Macaw's Furniture", URL="https://modrinth.com/mod/macaws-furniture"];
|
||||
"w4an97C2" [label="Macaw's Lights and Lamps", URL="https://modrinth.com/mod/macaws-lights-and-lamps"];
|
||||
"okE6QVAY" [label="Macaw's Paintings", URL="https://modrinth.com/mod/macaws-paintings"];
|
||||
"VRLhWB91" [label="Macaw's Paths and Pavings", URL="https://modrinth.com/mod/macaws-paths-and-pavings"];
|
||||
"B8jaH3P1" [label="Macaw's Roofs", URL="https://modrinth.com/mod/macaws-roofs"];
|
||||
"n2fvCDlM" [label="Macaw's Trapdoors", URL="https://modrinth.com/mod/macaws-trapdoors"];
|
||||
"C7I0BCni" [label="Macaw's Windows", URL="https://modrinth.com/mod/macaws-windows"];
|
||||
"NRjRiSSD" [label="Memory Leak Fix", URL="https://modrinth.com/mod/memoryleakfix"];
|
||||
"9Qdvz1OV" [label="Mine Cells - Dead Cells Mod", URL="https://modrinth.com/mod/minecells"];
|
||||
"3b1CFIR5" [label="Mob Plaques", URL="https://modrinth.com/mod/mob-plaques"];
|
||||
"avrKhvsK" [label="Mobs of Mythology", URL="https://modrinth.com/mod/mobs-of-mythology"];
|
||||
"nmDcB62a" [label="ModernFix", URL="https://modrinth.com/mod/modernfix"];
|
||||
"mOgUt4GM" [label="Mod Menu", URL="https://modrinth.com/mod/modmenu"];
|
||||
"Xt0pMhSq" [label="More Totems of Undying", URL="https://modrinth.com/mod/more-totems-of-undying"];
|
||||
"51shyZVL" [label="More Culling", URL="https://modrinth.com/mod/moreculling"];
|
||||
"JiEhJ3WG" [label="More Mob Variants", URL="https://modrinth.com/mod/more-mob-variants"];
|
||||
"derP0ten" [label="Mutant Monsters", URL="https://modrinth.com/mod/mutant-monsters"];
|
||||
"kHc6jKsv" [label="myLoot", URL="https://modrinth.com/mod/myloot"];
|
||||
"xP7vOoRA" [label="Mythic Mounts", URL="https://modrinth.com/mod/mythic-mounts"];
|
||||
"ERH7cFoy" [label="Mythic Upgrades", URL="https://modrinth.com/mod/mythic-upgrades"];
|
||||
"9daSQ9Yq" [label="MythQuest ~ Weapons", URL="https://modrinth.com/mod/mythquest"];
|
||||
"F8BQNPWX" [label="Naturalist", URL="https://modrinth.com/mod/naturalist"];
|
||||
"fPetb5Kh" [label="Nature's Compass", URL="https://modrinth.com/mod/natures-compass"];
|
||||
"P1Kv5EAO" [label="Necronomicon API", URL="https://modrinth.com/mod/necronomicon"];
|
||||
"1s5x833P" [label="Neruina - Ticking Entity Fixer", URL="https://modrinth.com/mod/neruina"];
|
||||
"vI1QKJro" [label="Nether Depths Upgrade", URL="https://modrinth.com/mod/nether-depths-upgrade"];
|
||||
"nPZr02ET" [label="NetherPortalFix", URL="https://modrinth.com/mod/netherportalfix"];
|
||||
"gsJ6q45e" [label="Nicer Skies", URL="https://modrinth.com/mod/nicer-skies"];
|
||||
"qQyHxfxd" [label="No Chat Reports", URL="https://modrinth.com/mod/no-chat-reports"];
|
||||
"fU7jbFHc" [label="Obscure API", URL="https://modrinth.com/mod/obscure-api"];
|
||||
"ccKDOlHs" [label="oωo (owo-lib)", URL="https://modrinth.com/mod/owo-lib"];
|
||||
"wOZRkmgG" [label="Oxidized", URL="https://modrinth.com/mod/oxidized"];
|
||||
"c7m1mi73" [label="Packet Fixer", URL="https://modrinth.com/mod/packet-fixer"];
|
||||
"FxXkHaLe" [label="Paladins & Priests (RPG Series)", URL="https://modrinth.com/mod/paladins-and-priests"];
|
||||
"nU0bVIaL" [label="Patchouli", URL="https://modrinth.com/mod/patchouli"];
|
||||
"gedNE4y2" [label="playerAnimator", URL="https://modrinth.com/mod/playeranimator"];
|
||||
"tagwiZkJ" [label="Polymorph", URL="https://modrinth.com/mod/polymorph"];
|
||||
"rcTfTZr3" [label="Presence Footsteps", URL="https://modrinth.com/mod/presence-footsteps"];
|
||||
"1OE8wbN0" [label="Prism", URL="https://modrinth.com/mod/prism-lib"];
|
||||
"AOyJhFvl" [label="Projectile Damage Attribute", URL="https://modrinth.com/mod/projectile-damage-attribute"];
|
||||
"GuE5FpvB" [label="Promenade", URL="https://modrinth.com/mod/promenade"];
|
||||
"Udc4ShgP" [label="Protection Balancer", URL="https://modrinth.com/mod/protection-balancer"];
|
||||
"FCFcFw09" [label="Pufferfish's Attributes", URL="https://modrinth.com/mod/attributes"];
|
||||
"hqQqvaa4" [label="Pufferfish's Skills", URL="https://modrinth.com/mod/skills"];
|
||||
"QAGBst4M" [label="Puzzles Lib", URL="https://modrinth.com/mod/puzzles-lib"];
|
||||
"AqaIIO6D" [label="Ranged Weapon API", URL="https://modrinth.com/mod/ranged-weapon-api"];
|
||||
"r3VgI4QN" [label="Reacharound", URL="https://modrinth.com/mod/reacharound"];
|
||||
"uZQipe0a" [label="ReBalance", URL="https://modrinth.com/mod/rebalance"];
|
||||
"sk4iFZGy" [label="Remove Terralith Intro Message", URL="https://modrinth.com/mod/remove-terralith-intro-message"];
|
||||
"muf0XoRe" [label="Repurposed Structures - Quilt/Fabric", URL="https://modrinth.com/mod/repurposed-structures-fabric"];
|
||||
"G1hIVOrD" [label="Resourceful Lib", URL="https://modrinth.com/mod/resourceful-lib"];
|
||||
"M1953qlQ" [label="Resourceful Config", URL="https://modrinth.com/mod/resourceful-config"];
|
||||
"MGRhpQYp" [label="Revive", URL="https://modrinth.com/mod/revive"];
|
||||
"3MKqoGuP" [label="Rogues & Warriors (RPG Series)", URL="https://modrinth.com/mod/rogues-and-warriors"];
|
||||
"lP9Yrr1E" [label="Runes", URL="https://modrinth.com/mod/runes"];
|
||||
"lyvwxqAy" [label="Simply Skills", URL="https://modrinth.com/mod/simply-skills"];
|
||||
"bK3Ubu9p" [label="Simply Swords", URL="https://modrinth.com/mod/simply-swords"];
|
||||
"rGWEHQrP" [label="Small Ships", URL="https://modrinth.com/mod/small-ships"];
|
||||
"PuyPazRT" [label="SmartBrainLib", URL="https://modrinth.com/mod/smartbrainlib"];
|
||||
"BVgHoKxg" [label="Hellion's Sniffer+", URL="https://modrinth.com/mod/hellions-sniffer+"];
|
||||
"PtjYWJkn" [label="Sodium Extra", URL="https://modrinth.com/mod/sodium-extra"];
|
||||
"AANobbMI" [label="Sodium", URL="https://modrinth.com/mod/sodium"];
|
||||
"oX6SohLj" [label="Marium's Soulslike Weaponry", URL="https://modrinth.com/mod/mariums-soulslike-weaponry"];
|
||||
"qyVF9oeo" [label="Sound Physics Remastered", URL="https://modrinth.com/mod/sound-physics-remastered"];
|
||||
"l6YH9Als" [label="spark", URL="https://modrinth.com/mod/spark"];
|
||||
"XvoWJaA2" [label="Spell Engine", URL="https://modrinth.com/mod/spell-engine"];
|
||||
"8ooWzSQP" [label="Spell Power Attributes", URL="https://modrinth.com/mod/spell-power"];
|
||||
"40ytxGF2" [label="SpoornPacks", URL="https://modrinth.com/mod/spoornpacks"];
|
||||
"H8CaAYZC" [label="Starlight (Fabric)", URL="https://modrinth.com/mod/starlight"];
|
||||
"6L3ydNi8" [label="Starter Kit", URL="https://modrinth.com/mod/starter-kit"];
|
||||
"kkmrDlKT" [label="TerraBlender", URL="https://modrinth.com/mod/terrablender"];
|
||||
"8oi3bsk5" [label="Terralith", URL="https://modrinth.com/mod/terralith"];
|
||||
"QivVPB8W" [label="The Graveyard (FABRIC)", URL="https://modrinth.com/mod/the-graveyard-fabric"];
|
||||
"z6sMEexp" [label="TieredZ", URL="https://modrinth.com/mod/tieredz"];
|
||||
"FGlHZl7X" [label="The Lost Castle", URL="https://modrinth.com/mod/the-lost-castle"];
|
||||
"w6JSkKSH" [label="Too Fast", URL="https://modrinth.com/mod/too-fast"];
|
||||
"5aaWibi9" [label="Trinkets", URL="https://modrinth.com/mod/trinkets"];
|
||||
"Pf8PJBb5" [label="True Darkness Refabricated", URL="https://modrinth.com/mod/true-darkness-fabric"];
|
||||
"1imrOvDk" [label="Valentine's Blessing(Lilypads, Roses, Cakes)", URL="https://modrinth.com/mod/valentines-blessing-lilypads-roses"];
|
||||
"XiC6HzoU" [label="Gliders", URL="https://modrinth.com/mod/gliders"];
|
||||
"bRAPbNyF" [label="Vein Mining", URL="https://modrinth.com/mod/vein-mining"];
|
||||
"oHGMwNDR" [label="VillagersPlus", URL="https://modrinth.com/mod/villagersplus"];
|
||||
"klXONLDA" [label="Villages & Pillages", URL="https://modrinth.com/mod/villages-and-pillages"];
|
||||
"KplTt9Ku" [label="Village Spawn Point", URL="https://modrinth.com/mod/village-spawn-point"];
|
||||
"wGoQDPN5" [label="Vivecraft", URL="https://modrinth.com/mod/vivecraft"];
|
||||
"9eGKb6K1" [label="Simple Voice Chat", URL="https://modrinth.com/mod/simple-voice-chat"];
|
||||
"XpGUobxt" [label="VR Combat", URL="https://modrinth.com/mod/vr-combat"];
|
||||
"B3INNxum" [label="MC VR API", URL="https://modrinth.com/mod/mc-vr-api"];
|
||||
"Vr3O6THr" [label="Wabi-Sabi Structures", URL="https://modrinth.com/mod/wabi-sabi-structures"];
|
||||
"oUoetxfR" [label="Wall-Jump TXF", URL="https://modrinth.com/mod/wall-jump-txf"];
|
||||
"lO0vzQUy" [label="way2wayfabric", URL="https://modrinth.com/mod/way2wayfabric"];
|
||||
"8DfbfASn" [label="When Dungeons Arise", URL="https://modrinth.com/mod/when-dungeons-arise"];
|
||||
"NkGaQMDA" [label="Wizards (RPG Series)", URL="https://modrinth.com/mod/wizards"];
|
||||
"sTZr7NVo" [label="Wraith Waystones", URL="https://modrinth.com/mod/fwaystones"];
|
||||
"NcUtCpym" [label="Xaero's World Map", URL="https://modrinth.com/mod/xaeros-world-map"];
|
||||
"1bokaNcj" [label="Xaero's Minimap", URL="https://modrinth.com/mod/xaeros-minimap"];
|
||||
"1eAoo2KR" [label="YetAnotherConfigLib", URL="https://modrinth.com/mod/yacl"];
|
||||
"Ua7DFN59" [label="YUNG's API", URL="https://modrinth.com/mod/yungs-api"];
|
||||
"XNlO7sBv" [label="YUNG's Better Desert Temples", URL="https://modrinth.com/mod/yungs-better-desert-temples"];
|
||||
"o1C1Dkj5" [label="YUNG's Better Dungeons", URL="https://modrinth.com/mod/yungs-better-dungeons"];
|
||||
"2BwBOmBQ" [label="YUNG's Better End Island", URL="https://modrinth.com/mod/yungs-better-end-island"];
|
||||
"z9Ve58Ih" [label="YUNG's Better Jungle Temples", URL="https://modrinth.com/mod/yungs-better-jungle-temples"];
|
||||
"HjmxVlSr" [label="YUNG's Better Mineshafts", URL="https://modrinth.com/mod/yungs-better-mineshafts"];
|
||||
"Z2mXHnxP" [label="YUNG's Better Nether Fortresses", URL="https://modrinth.com/mod/yungs-better-nether-fortresses"];
|
||||
"3dT9sgt4" [label="YUNG's Better Ocean Monuments", URL="https://modrinth.com/mod/yungs-better-ocean-monuments"];
|
||||
"kidLKymU" [label="YUNG's Better Strongholds", URL="https://modrinth.com/mod/yungs-better-strongholds"];
|
||||
"t5FRdP87" [label="YUNG's Better Witch Huts", URL="https://modrinth.com/mod/yungs-better-witch-huts"];
|
||||
"Ht4BfYp6" [label="YUNG's Bridges", URL="https://modrinth.com/mod/yungs-bridges"];
|
||||
"ZYgyPyfq" [label="YUNG's Extras", URL="https://modrinth.com/mod/yungs-extras"];
|
||||
"Hcy2DFKF" [label="YUNG's Menu Tweaks", URL="https://modrinth.com/mod/yungs-menu-tweaks"];
|
||||
"TLZe11Uj" [label="Zenith", URL="https://modrinth.com/mod/zenith"];
|
||||
"9sxDq6mj" [label="Zenith Attributes", URL="https://modrinth.com/mod/zenith-attributes"];
|
||||
"14bALK1y" [label="Zephyr", URL="https://modrinth.com/mod/zephyr-mod"];
|
||||
"L6jvzao4" [label="Epic Knights: Shields Armor and Weapons", URL="https://modrinth.com/mod/epic-knights-shields-armor-and-weapons"];
|
||||
"fgmhI8kH" [label="ChoiceTheorem's Overhauled Village", URL="https://modrinth.com/mod/ct-overhaul-village"];
|
||||
"defK2XM3" -> "P7dR8mSH";
|
||||
"defK2XM3" -> "9s6osm5g";
|
||||
"fM515JnW" -> "OsZiaDHq";
|
||||
"fM515JnW" -> "P7dR8mSH";
|
||||
"k23mNPhZ" -> "P7dR8mSH";
|
||||
"k23mNPhZ" -> "fU7jbFHc";
|
||||
"QgooUXAJ" -> "AqaIIO6D";
|
||||
"QgooUXAJ" -> "P7dR8mSH";
|
||||
"QgooUXAJ" -> "XvoWJaA2";
|
||||
"QgooUXAJ" -> "pduQXSbl";
|
||||
"lhGA9TYQ" -> "P7dR8mSH";
|
||||
"td9zQQBq" -> "8ooWzSQP";
|
||||
"td9zQQBq" -> "P7dR8mSH";
|
||||
"bb2EpKpx" -> "G1hIVOrD";
|
||||
"bb2EpKpx" -> "P7dR8mSH";
|
||||
"P0Mu4wcQ" -> "5aaWibi9";
|
||||
"P0Mu4wcQ" -> "9s6osm5g";
|
||||
"P0Mu4wcQ" -> "lhGA9TYQ";
|
||||
"lOOpEntO" -> "P7dR8mSH";
|
||||
"7zlUOZvb" -> "P7dR8mSH";
|
||||
"MBAkmtvl" -> "P7dR8mSH";
|
||||
"BgNRHReB" -> "P7dR8mSH";
|
||||
"Kt4RVKEd" -> "P7dR8mSH";
|
||||
"gc8OEnCC" -> "BgNRHReB";
|
||||
"gc8OEnCC" -> "P7dR8mSH";
|
||||
"MpzVLzy5" -> "BgNRHReB";
|
||||
"MpzVLzy5" -> "P7dR8mSH";
|
||||
"zCh7omyG" -> "Ua7DFN59";
|
||||
"5sy6g3kz" -> "9s6osm5g";
|
||||
"5sy6g3kz" -> "P7dR8mSH";
|
||||
"5sy6g3kz" -> "gedNE4y2";
|
||||
"HXF82T3G" -> "kkmrDlKT";
|
||||
"1VSGxqkt" -> "QAGBst4M";
|
||||
"1VSGxqkt" -> "ohNO6lps";
|
||||
"1VSGxqkt" -> "P7dR8mSH";
|
||||
"du3UfiLL" -> "8BmcQJ2H";
|
||||
"du3UfiLL" -> "9s6osm5g";
|
||||
"du3UfiLL" -> "Ha28R6CL";
|
||||
"du3UfiLL" -> "K01OU20C";
|
||||
"du3UfiLL" -> "P7dR8mSH";
|
||||
"uy4Cnpcm" -> "P7dR8mSH";
|
||||
"fEWKxVzh" -> "G1hIVOrD";
|
||||
"fEWKxVzh" -> "P7dR8mSH";
|
||||
"cChd25Tw" -> "8BmcQJ2H";
|
||||
"cChd25Tw" -> "P7dR8mSH";
|
||||
"cChd25Tw" -> "ccKDOlHs";
|
||||
"Wnxd13zP" -> "P7dR8mSH";
|
||||
"wGKYL7st" -> "gedNE4y2";
|
||||
"wGKYL7st" -> "9s6osm5g";
|
||||
"wGKYL7st" -> "P7dR8mSH";
|
||||
"gMWAhU1n" -> "P7dR8mSH";
|
||||
"OsZiaDHq" -> "P7dR8mSH";
|
||||
"MI1LWe93" -> "8BmcQJ2H";
|
||||
"MI1LWe93" -> "G1hIVOrD";
|
||||
"MI1LWe93" -> "M1953qlQ";
|
||||
"cl223EMc" -> "P7dR8mSH";
|
||||
"meZK2DCX" -> "P7dR8mSH";
|
||||
"QwxR6Gcd" -> "1eAoo2KR";
|
||||
"t6BIRVZn" -> "P7dR8mSH";
|
||||
"fnAffV0n" -> "1eAoo2KR";
|
||||
"fnAffV0n" -> "P7dR8mSH";
|
||||
"JrvR9OHr" -> "e0M1UDsY";
|
||||
"ENZmbSFZ" -> "AqaIIO6D";
|
||||
"ENZmbSFZ" -> "P7dR8mSH";
|
||||
"nBaXIQY9" -> "7zlUOZvb";
|
||||
"nBaXIQY9" -> "P1Kv5EAO";
|
||||
"OVuFYfre" -> "P7dR8mSH";
|
||||
"NNAgCjsB" -> "P7dR8mSH";
|
||||
"4I1XuqiY" -> "BVzZfTc1";
|
||||
"26nL5g7F" -> "7zlUOZvb";
|
||||
"26nL5g7F" -> "XvoWJaA2";
|
||||
"ZJTGwAND" -> "P7dR8mSH";
|
||||
"ORX9fPw1" -> "P7dR8mSH";
|
||||
"ECOSu6pa" -> "P7dR8mSH";
|
||||
"ohNO6lps" -> "P7dR8mSH";
|
||||
"5WeWGLoJ" -> "P7dR8mSH";
|
||||
"5WeWGLoJ" -> "mOgUt4GM";
|
||||
"5WeWGLoJ" -> "ohNO6lps";
|
||||
"POQ2i9zu" -> "P7dR8mSH";
|
||||
"LJ5wlCDr" -> "Ha28R6CL";
|
||||
"LJ5wlCDr" -> "P7dR8mSH";
|
||||
"XIpMGI6r" -> "LrYZi08Q";
|
||||
"XIpMGI6r" -> "P7dR8mSH";
|
||||
"t7eXC8r7" -> "Ha28R6CL";
|
||||
"t7eXC8r7" -> "LJ5wlCDr";
|
||||
"t7eXC8r7" -> "P7dR8mSH";
|
||||
"8BmcQJ2H" -> "P7dR8mSH";
|
||||
"ssUbhMkL" -> "P7dR8mSH";
|
||||
"59rkB3YY" -> "P7dR8mSH";
|
||||
"pJmCFF0p" -> "G1hIVOrD";
|
||||
"pJmCFF0p" -> "P7dR8mSH";
|
||||
"lo90fZoB" -> "G1hIVOrD";
|
||||
"lo90fZoB" -> "P7dR8mSH";
|
||||
"XJ9is6vj" -> "ohNO6lps";
|
||||
"XJ9is6vj" -> "lhGA9TYQ";
|
||||
"Orvt0mRa" -> "AANobbMI";
|
||||
"xwHe8V3O" -> "NkGaQMDA";
|
||||
"YL57xq9U" -> "AANobbMI";
|
||||
"sNJAIjUm" -> "5aaWibi9";
|
||||
"sNJAIjUm" -> "8ooWzSQP";
|
||||
"sNJAIjUm" -> "AqaIIO6D";
|
||||
"sNJAIjUm" -> "LrYZi08Q";
|
||||
"sNJAIjUm" -> "P7dR8mSH";
|
||||
"atHH8NyV" -> "1OE8wbN0";
|
||||
"atHH8NyV" -> "5faXoLqX";
|
||||
"atHH8NyV" -> "ohNO6lps";
|
||||
"uJXTNuf0" -> "5aaWibi9";
|
||||
"uJXTNuf0" -> "lhGA9TYQ";
|
||||
"yUBXc3AH" -> "9s6osm5g";
|
||||
"yUBXc3AH" -> "P7dR8mSH";
|
||||
"TqCKvqjC" -> "P7dR8mSH";
|
||||
"oMitr7dU" -> "Aqlf1Shp";
|
||||
"oMitr7dU" -> "FYpiwiBR";
|
||||
"oMitr7dU" -> "9s6osm5g";
|
||||
"oMitr7dU" -> "u58R1TMW";
|
||||
"oMitr7dU" -> "P7dR8mSH";
|
||||
"FZmGDE43" -> "9s6osm5g";
|
||||
"FZmGDE43" -> "Aqlf1Shp";
|
||||
"FZmGDE43" -> "FYpiwiBR";
|
||||
"FZmGDE43" -> "P7dR8mSH";
|
||||
"FZmGDE43" -> "u58R1TMW";
|
||||
"GURcjz8O" -> "P7dR8mSH";
|
||||
"kNxa8z3e" -> "P7dR8mSH";
|
||||
"GmwLse2I" -> "P7dR8mSH";
|
||||
"dtWC90iB" -> "P7dR8mSH";
|
||||
"w4an97C2" -> "P7dR8mSH";
|
||||
"okE6QVAY" -> "P7dR8mSH";
|
||||
"VRLhWB91" -> "P7dR8mSH";
|
||||
"B8jaH3P1" -> "P7dR8mSH";
|
||||
"n2fvCDlM" -> "P7dR8mSH";
|
||||
"C7I0BCni" -> "P7dR8mSH";
|
||||
"9Qdvz1OV" -> "P7dR8mSH";
|
||||
"9Qdvz1OV" -> "ccKDOlHs";
|
||||
"3b1CFIR5" -> "P7dR8mSH";
|
||||
"3b1CFIR5" -> "QAGBst4M";
|
||||
"3b1CFIR5" -> "ohNO6lps";
|
||||
"avrKhvsK" -> "7zlUOZvb";
|
||||
"avrKhvsK" -> "PuyPazRT";
|
||||
"avrKhvsK" -> "lhGA9TYQ";
|
||||
"51shyZVL" -> "9s6osm5g";
|
||||
"JiEhJ3WG" -> "P7dR8mSH";
|
||||
"derP0ten" -> "ohNO6lps";
|
||||
"derP0ten" -> "QAGBst4M";
|
||||
"derP0ten" -> "P7dR8mSH";
|
||||
"kHc6jKsv" -> "40ytxGF2";
|
||||
"kHc6jKsv" -> "P7dR8mSH";
|
||||
"xP7vOoRA" -> "nU0bVIaL";
|
||||
"xP7vOoRA" -> "8BmcQJ2H";
|
||||
"ERH7cFoy" -> "P7dR8mSH";
|
||||
"ERH7cFoy" -> "ccKDOlHs";
|
||||
"F8BQNPWX" -> "8BmcQJ2H";
|
||||
"1s5x833P" -> "P7dR8mSH";
|
||||
"vI1QKJro" -> "8BmcQJ2H";
|
||||
"nPZr02ET" -> "MBAkmtvl";
|
||||
"fU7jbFHc" -> "P7dR8mSH";
|
||||
"ccKDOlHs" -> "P7dR8mSH";
|
||||
"wOZRkmgG" -> "P7dR8mSH";
|
||||
"FxXkHaLe" -> "P7dR8mSH";
|
||||
"FxXkHaLe" -> "XvoWJaA2";
|
||||
"FxXkHaLe" -> "lP9Yrr1E";
|
||||
"FxXkHaLe" -> "pduQXSbl";
|
||||
"FxXkHaLe" -> "y9clIFY4";
|
||||
"nU0bVIaL" -> "P7dR8mSH";
|
||||
"tagwiZkJ" -> "P7dR8mSH";
|
||||
"rcTfTZr3" -> "P7dR8mSH";
|
||||
"AOyJhFvl" -> "P7dR8mSH";
|
||||
"GuE5FpvB" -> "P7dR8mSH";
|
||||
"GuE5FpvB" -> "meZK2DCX";
|
||||
"Udc4ShgP" -> "P1Kv5EAO";
|
||||
"Udc4ShgP" -> "P7dR8mSH";
|
||||
"FCFcFw09" -> "P7dR8mSH";
|
||||
"hqQqvaa4" -> "P7dR8mSH";
|
||||
"QAGBst4M" -> "ohNO6lps";
|
||||
"QAGBst4M" -> "P7dR8mSH";
|
||||
"AqaIIO6D" -> "P7dR8mSH";
|
||||
"r3VgI4QN" -> "P7dR8mSH";
|
||||
"uZQipe0a" -> "P1Kv5EAO";
|
||||
"sk4iFZGy" -> "8oi3bsk5";
|
||||
"muf0XoRe" -> "P7dR8mSH";
|
||||
"muf0XoRe" -> "codAaoxh";
|
||||
"G1hIVOrD" -> "P7dR8mSH";
|
||||
"MGRhpQYp" -> "9s6osm5g";
|
||||
"MGRhpQYp" -> "P7dR8mSH";
|
||||
"3MKqoGuP" -> "P7dR8mSH";
|
||||
"3MKqoGuP" -> "XvoWJaA2";
|
||||
"3MKqoGuP" -> "pduQXSbl";
|
||||
"lP9Yrr1E" -> "P7dR8mSH";
|
||||
"lyvwxqAy" -> "8ooWzSQP";
|
||||
"lyvwxqAy" -> "FCFcFw09";
|
||||
"lyvwxqAy" -> "XvoWJaA2";
|
||||
"lyvwxqAy" -> "hqQqvaa4";
|
||||
"bK3Ubu9p" -> "9s6osm5g";
|
||||
"bK3Ubu9p" -> "lhGA9TYQ";
|
||||
"rGWEHQrP" -> "P7dR8mSH";
|
||||
"PtjYWJkn" -> "AANobbMI";
|
||||
"PtjYWJkn" -> "P7dR8mSH";
|
||||
"oX6SohLj" -> "AqaIIO6D";
|
||||
"oX6SohLj" -> "8BmcQJ2H";
|
||||
"oX6SohLj" -> "lOOpEntO";
|
||||
"oX6SohLj" -> "P7dR8mSH";
|
||||
"XvoWJaA2" -> "5aaWibi9";
|
||||
"XvoWJaA2" -> "8ooWzSQP";
|
||||
"XvoWJaA2" -> "9s6osm5g";
|
||||
"XvoWJaA2" -> "P7dR8mSH";
|
||||
"XvoWJaA2" -> "gedNE4y2";
|
||||
"8ooWzSQP" -> "P7dR8mSH";
|
||||
"40ytxGF2" -> "P7dR8mSH";
|
||||
"6L3ydNi8" -> "e0M1UDsY";
|
||||
"kkmrDlKT" -> "P7dR8mSH";
|
||||
"QivVPB8W" -> "8BmcQJ2H";
|
||||
"z6sMEexp" -> "8FdYDHF5";
|
||||
"z6sMEexp" -> "9s6osm5g";
|
||||
"z6sMEexp" -> "P7dR8mSH";
|
||||
"z6sMEexp" -> "yUBXc3AH";
|
||||
"FGlHZl7X" -> "P7dR8mSH";
|
||||
"Pf8PJBb5" -> "9s6osm5g";
|
||||
"XiC6HzoU" -> "P7dR8mSH";
|
||||
"bRAPbNyF" -> "P7dR8mSH";
|
||||
"oHGMwNDR" -> "P7dR8mSH";
|
||||
"klXONLDA" -> "Ua7DFN59";
|
||||
"klXONLDA" -> "P7dR8mSH";
|
||||
"KplTt9Ku" -> "e0M1UDsY";
|
||||
"XpGUobxt" -> "5sy6g3kz";
|
||||
"XpGUobxt" -> "wGoQDPN5";
|
||||
"B3INNxum" -> "lhGA9TYQ";
|
||||
"Vr3O6THr" -> "P7dR8mSH";
|
||||
"lO0vzQUy" -> "Ha28R6CL";
|
||||
"NkGaQMDA" -> "8ooWzSQP";
|
||||
"NkGaQMDA" -> "P7dR8mSH";
|
||||
"NkGaQMDA" -> "XvoWJaA2";
|
||||
"NkGaQMDA" -> "lP9Yrr1E";
|
||||
"NkGaQMDA" -> "pduQXSbl";
|
||||
"sTZr7NVo" -> "P7dR8mSH";
|
||||
"sTZr7NVo" -> "ccKDOlHs";
|
||||
"NcUtCpym" -> "P7dR8mSH";
|
||||
"1bokaNcj" -> "P7dR8mSH";
|
||||
"1eAoo2KR" -> "P7dR8mSH";
|
||||
"Ua7DFN59" -> "P7dR8mSH";
|
||||
"XNlO7sBv" -> "P7dR8mSH";
|
||||
"XNlO7sBv" -> "Ua7DFN59";
|
||||
"XNlO7sBv" -> "9s6osm5g";
|
||||
"o1C1Dkj5" -> "9s6osm5g";
|
||||
"o1C1Dkj5" -> "P7dR8mSH";
|
||||
"o1C1Dkj5" -> "Ua7DFN59";
|
||||
"2BwBOmBQ" -> "Ua7DFN59";
|
||||
"2BwBOmBQ" -> "9s6osm5g";
|
||||
"2BwBOmBQ" -> "P7dR8mSH";
|
||||
"z9Ve58Ih" -> "Ua7DFN59";
|
||||
"z9Ve58Ih" -> "P7dR8mSH";
|
||||
"z9Ve58Ih" -> "9s6osm5g";
|
||||
"HjmxVlSr" -> "9s6osm5g";
|
||||
"HjmxVlSr" -> "P7dR8mSH";
|
||||
"HjmxVlSr" -> "Ua7DFN59";
|
||||
"Z2mXHnxP" -> "Ua7DFN59";
|
||||
"Z2mXHnxP" -> "9s6osm5g";
|
||||
"Z2mXHnxP" -> "P7dR8mSH";
|
||||
"3dT9sgt4" -> "9s6osm5g";
|
||||
"3dT9sgt4" -> "P7dR8mSH";
|
||||
"3dT9sgt4" -> "Ua7DFN59";
|
||||
"kidLKymU" -> "9s6osm5g";
|
||||
"kidLKymU" -> "P7dR8mSH";
|
||||
"kidLKymU" -> "Ua7DFN59";
|
||||
"t5FRdP87" -> "9s6osm5g";
|
||||
"t5FRdP87" -> "P7dR8mSH";
|
||||
"t5FRdP87" -> "Ua7DFN59";
|
||||
"Ht4BfYp6" -> "9s6osm5g";
|
||||
"Ht4BfYp6" -> "P7dR8mSH";
|
||||
"Ht4BfYp6" -> "Ua7DFN59";
|
||||
"ZYgyPyfq" -> "9s6osm5g";
|
||||
"ZYgyPyfq" -> "P7dR8mSH";
|
||||
"ZYgyPyfq" -> "Ua7DFN59";
|
||||
"Hcy2DFKF" -> "9s6osm5g";
|
||||
"Hcy2DFKF" -> "P7dR8mSH";
|
||||
"Hcy2DFKF" -> "Ua7DFN59";
|
||||
"TLZe11Uj" -> "9sxDq6mj";
|
||||
"TLZe11Uj" -> "ORX9fPw1";
|
||||
"TLZe11Uj" -> "P7dR8mSH";
|
||||
"9sxDq6mj" -> "ORX9fPw1";
|
||||
"9sxDq6mj" -> "P7dR8mSH";
|
||||
"14bALK1y" -> "TLZe11Uj";
|
||||
"14bALK1y" -> "XvoWJaA2";
|
||||
"L6jvzao4" -> "9s6osm5g";
|
||||
"L6jvzao4" -> "lhGA9TYQ";
|
||||
"fgmhI8kH" -> "XaDC71GB";
|
||||
}
|
46012
website/mods.json
46012
website/mods.json
File diff suppressed because one or more lines are too long
4
website/pico.min.css
vendored
4
website/pico.min.css
vendored
File diff suppressed because one or more lines are too long
|
@ -1,85 +0,0 @@
|
|||
/* Layout mods in two columns if wide enough */
|
||||
@media screen and (min-width: 768px) {
|
||||
#mod-descriptions {
|
||||
display: grid;
|
||||
grid-template-columns: repeat(2, 1fr);
|
||||
gap: 20px;
|
||||
}
|
||||
}
|
||||
|
||||
.full-description {
|
||||
max-height: 80vh;
|
||||
overflow-y: auto;
|
||||
|
||||
}
|
||||
|
||||
.mod-icon,
|
||||
.mod-icon-category {
|
||||
width: 48px;
|
||||
height: 48px;
|
||||
vertical-align: middle;
|
||||
margin-right: 5px;
|
||||
}
|
||||
.mod-icon-category {
|
||||
width: 16px;
|
||||
height: 16px;
|
||||
}
|
||||
|
||||
/* Mod categories styling */
|
||||
.categories {
|
||||
list-style: none;
|
||||
padding: 0;
|
||||
margin: 10px 0;
|
||||
display: flex;
|
||||
flex-wrap: wrap;
|
||||
gap: 5px;
|
||||
}
|
||||
|
||||
.categories li {
|
||||
display: inline-block;
|
||||
padding: 3px 8px;
|
||||
border-radius: 5px;
|
||||
font-size: 0.6em;
|
||||
color: white;
|
||||
}
|
||||
|
||||
/* Unique colors for different categories */
|
||||
.categories .technology {
|
||||
background-color: #007bff;
|
||||
}
|
||||
|
||||
.categories .magic {
|
||||
background-color: #9c27b0;
|
||||
}
|
||||
|
||||
.categories .adventure {
|
||||
background-color: #28a745;
|
||||
}
|
||||
|
||||
.categories .utility {
|
||||
background-color: #ffc107;
|
||||
}
|
||||
|
||||
.categories .library {
|
||||
background-color: #17a2b8;
|
||||
}
|
||||
|
||||
.categories .worldgen {
|
||||
background-color: #6c757d;
|
||||
}
|
||||
|
||||
.categories .storage {
|
||||
background-color: #dc3545;
|
||||
}
|
||||
|
||||
.categories .optimization {
|
||||
background-color: #20c997;
|
||||
}
|
||||
|
||||
.categories .decoration {
|
||||
background-color: #fd7e14;
|
||||
}
|
||||
|
||||
.categories .misc {
|
||||
background-color: #6610f2;
|
||||
}
|
Loading…
Reference in a new issue