it me gog
All checks were successful
/ Restart server (push) Has been skipped
/ Update wiki (push) Successful in 2m19s

This commit is contained in:
Lilith Ashley Nyx Arson 🔥 2024-10-28 22:51:30 +01:00
commit ac587bea65
Signed by: lilith
SSH key fingerprint: SHA256:LAjgsAMyT3LO2JVtr6fQ4N3RTYoRRlIm5wAKsbDife4
161 changed files with 4234 additions and 0 deletions

View file

@ -0,0 +1,154 @@
#!/usr/bin/env python
from pip._vendor import requests
from pip._vendor import tomli
import json
import glob
import os
mods = dict()
count = dict()
count["server"] = 0
count["client"] = 0
count["both"] = 0
cache = dict()
class fragile(object):
class Break(Exception):
"""Break out of the with statement"""
def __init__(self, value):
self.value = value
def __enter__(self):
return self.value.__enter__()
def __exit__(self, etype, value, traceback):
error = self.value.__exit__(etype, value, traceback)
if etype == self.Break:
return True
return error
if os.path.isfile("cache/licenses.json"):
with open("cache/licenses.json", "r") as f:
cache = json.load(f)
for mod in glob.glob("pack/mods/*.toml"):
with open(mod, "r") as f:
data = tomli.load(f)
moddata = dict()
moddata["name"] = data["name"]
moddata["url"] = ""
moddata["side"] = data["side"]
license = dict()
if "update" in data:
if "modrinth" in data["update"]:
id = data["update"]["modrinth"]["mod-id"]
moddata["id"] = id
moddata["url"] = "https://modrinth.com/mod/" + id
moddata["site"] = "Modrinth"
if id in cache:
data = cache[id]
else:
data = requests.get("https://api.modrinth.com/v2/project/" + id).json()["license"]
cache[id] = data
moddata["license"] = data
elif "curseforge" in data["update"]:
moddata["url"] = "https://legacy.curseforge.com/projects/" + str(data["update"]["curseforge"]["project-id"])
moddata["site"] = "CurseForge"
count[moddata["side"]] += 1
mods[moddata["name"]] = moddata
with fragile(open("wiki/Modlist.md", "w")) as f:
if (count["server"] + count["client"] + count["both"]) == 0:
f.write("## No mods.")
raise fragile.Break
f.write("## Total Count\r\n")
f.write("<table>")
f.write("\r\n<tr>")
f.write("<th>Side</th>")
f.write("<th>Count</th>")
f.write("</tr>\r\n")
f.write("<tr>")
f.write("<td>Total</td>")
f.write("<td>" + str(count["server"] + count["client"] + count["both"]) + "</td>")
f.write("</tr>\r\n")
if count["both"] > 0:
f.write("<tr>")
f.write("<td>Shared</td>")
f.write("<td>" + str(count["both"]) + "</td>")
f.write("</tr>\r\n")
if count["client"] > 0:
f.write("<tr>")
f.write("<td>Client</td>")
f.write("<td>" + str(count["client"]) + "</td>")
f.write("</tr>\r\n")
if count["server"] > 0:
f.write("<tr>")
f.write("<td>Server</td>")
f.write("<td>" + str(count["server"]) + "</td>")
f.write("</tr>\r\n")
f.write("</table>\r\n\r\n")
f.write("## Individual Mods\r\n")
f.write("<table>")
f.write("\r\n<tr>")
f.write("<th>Name</th>")
f.write("<th>Side</th>")
f.write("<th>Link</th>")
f.write("</tr>\r\n")
for mod in mods:
data = mods[mod]
f.write("\r\n<tr>")
f.write("<td>" + mod + "</td>")
f.write("<td>" + data["side"] + "</td>")
if data["url"] != "":
f.write("<td><a href=\"" + data["url"] + "\">" + data["site"] + "</a></td>")
else:
f.write("<td>N/A</td>")
f.write("\r\n</tr>")
f.write("\r\n</table>")
with fragile(open("wiki/Licenses.md", "w")) as f:
if (count["server"] + count["client"] + count["both"]) == 0:
f.write("## No mods.")
raise fragile.Break
for mod in mods:
data = mods[mod]
f.write("## " + mod + "\r\n")
f.write("<b>")
if "site" in data and data["site"] == "CurseForge":
f.write("CurseForge API does not provide license information, see mod page for details.")
elif "license" in data:
license = data["license"]
if license["name"] == "":
if license["id"] == "LicenseRef-Custom":
license["name"] = "Custom"
else:
license["name"] = license["id"][11:].replace("-", " ")
if license["url"] != None:
f.write("<a href=\"" + license["url"] + "\">" + license["name"] + "</a>")
else:
f.write(license["name"])
else:
f.write("Unknown")
f.write("</b>\r\n")
if not os.path.exists("cache"):
os.makedirs("cache")
with open("cache/licenses.json", "w") as f:
json.dump(cache, f)

View file

@ -0,0 +1,57 @@
on: [push]
jobs:
update:
name: "Update wiki"
runs-on: ubuntu-latest
steps:
- name: "Clone modpack"
uses: actions/checkout@v3
with:
repository: ${{ github.repository }}
path: "pack"
- name: "Clone wiki"
uses: actions/checkout@v3
with:
repository: ${{ github.repository }}.wiki
path: "wiki"
ref: "main"
- name: Restore cached licenses
id: cache-licenses-restore
uses: actions/cache/restore@v4
with:
path: cache
key: licenses
- name: "Update modlist"
run: python pack/.forgejo/scripts/update-wiki.py
- name: Save cached licenses
id: cache-licenses-save
uses: actions/cache/save@v4
with:
path: cache
key: ${{ steps.cache-licenses-restore.outputs.cache-primary-key }}
- name: "Commit changes"
run: |
cd wiki
git add .
git config --global user.name 'Modpack Wiki Updater'
git config --global user.email 'modupdater@incest.world'
git commit -am "Automated wiki update"
git push
restart:
if: "contains(github.event.head_commit.message, '[restart]')"
name: "Restart server"
runs-on: ubuntu-latest
steps:
- name: Restart the server
uses: https://git.incest.world/actions/ssh-action@master
with:
host: ${{ vars.SSH_SERVER }}
username: ${{ secrets.SSH_USER }}
key: ${{ secrets.SSH_KEY }}
script: ${{ vars.RESTART_COMMAND }}

Binary file not shown.

After

Width:  |  Height:  |  Size: 9.4 KiB

766
config/DistantHorizons.toml Normal file
View file

@ -0,0 +1,766 @@
_version = 2
[client]
#
# Should Distant Horizon's config button appear in the options screen next to fov slider?
optionsButton = true
[client.advanced]
[client.advanced.lodBuilding]
#
# How should block data be compressed when creating LOD data?
# This setting will only affect new or updated LOD data,
# any data already generated when this setting is changed will be
# unaffected until it is modified or re-loaded.
#
# MERGE_SAME_BLOCKS
# Every block/biome change is recorded in the database.
# This is what DH 2.0 and 2.0.1 all used by default and will store a lot of data.
# Expected Compression Ratio: 1.0
#
# VISUALLY_EQUAL
# Only visible block/biome changes are recorded in the database.
# Hidden blocks (IE ores) are ignored.
# Expected Compression Ratio: 0.7
worldCompression = "VISUALLY_EQUAL"
#
# A comma separated list of block resource locations that shouldn't be rendered
# if they are in a 0 sky light underground area.
# Note: air is always included in this list.
ignoredRenderCaveBlockCsv = "minecraft:glow_lichen,minecraft:rail,minecraft:water,minecraft:lava,minecraft:bubble_column"
#
# If true LOD generation for pre-existing chunks will attempt to pull the lighting data
# saved in Minecraft's Region files.
# If false DH will pull in chunks without lighting and re-light them.
#
# Setting this to true will result in faster LOD generation
# for already generated worlds, but is broken by most lighting mods.
#
# Set this to false if LODs are black.
pullLightingForPregeneratedChunks = false
#
# What algorithm should be used to compress new LOD data?
# This setting will only affect new or updated LOD data,
# any data already generated when this setting is changed will be
# unaffected until it needs to be re-written to the database.
#
# UNCOMPRESSED
# Should only be used for testing, is worse in every way vs [LZ4].
# Expected Compression Ratio: 1.0
# Estimated average DTO read speed: 1.64 milliseconds
# Estimated average DTO write speed: 12.44 milliseconds
#
# LZ4
# A good option if you're CPU limited and have plenty of hard drive space.
# Expected Compression Ratio: 0.36
# Estimated average DTO read speed: 1.85 ms
# Estimated average DTO write speed: 9.46 ms
#
# LZMA2
# Slow but very good compression.
# Expected Compression Ratio: 0.14
# Estimated average DTO read speed: 11.89 ms
# Estimated average DTO write speed: 192.01 ms
dataCompression = "LZMA2"
#
# A comma separated list of block resource locations that won't be rendered by DH.
# Note: air is always included in this list.
ignoredRenderBlockCsv = "minecraft:barrier,minecraft:structure_void,minecraft:light,minecraft:tripwire"
#
# Determines how long must pass between LOD chunk updates before another.
# update can occur
#
# Increasing this value will reduce CPU load but may may cause
# LODs to become outdated more frequently or for longer.
minTimeBetweenChunkUpdatesInSeconds = 1
#
# Normally DH will attempt to skip creating LODs for chunks it's already seen
# and that haven't changed.
#
# However sometimes that logic incorrecly prevents LODs from being updated.
# Disabling this check may fix issues where LODs aren't updated after
# blocks have been changed.
disableUnchangedChunkCheck = false
[client.advanced.autoUpdater]
#
# If DH should use the nightly (provided by Gitlab), or stable (provided by Modrinth) build.
# If [AUTO] is selected DH will update to new stable releases if the current jar is a stable jar
# and will update to new nightly builds if the current jar is a nightly jar (IE the version number ends in '-dev').
updateBranch = "AUTO"
#
# Automatically check for updates on game launch?
enableAutoUpdater = true
#
# Should Distant Horizons silently, automatically download and install new versions?
enableSilentUpdates = false
[client.advanced.multiThreading]
#
# How many threads should be used when building LODs?
#
# These threads run when terrain is generated, when
# certain graphics settings are changed, and when moving around the world.
#
# Multi-threading Note:
# If the total thread count in Distant Horizon's config is more threads than your CPU has cores,
# CPU performance may suffer if Distant Horizons has a lot to load or generate.
# This can be an issue when first loading into a world, when flying, and/or when generating new terrain.
numberOfLodBuilderThreads = 1
#
# Should only be disabled if deadlock occurs and LODs refuse to update.
# This will cause CPU usage to drastically increase for the Lod Builder threads.
#
# Note that if deadlock did occur restarting MC may be necessary to stop the locked threads.
enableLodBuilderThreadLimiting = true
#
# If this value is less than 1.0, it will be treated as a percentage
# of time each thread can run before going idle.
#
# This can be used to reduce CPU usage if the thread count
# is already set to 1 for the given option, or more finely
# tune CPU performance.
runTimeRatioForWorldGenerationThreads = "0.1"
#
# If this value is less than 1.0, it will be treated as a percentage
# of time each thread can run before going idle.
#
# This can be used to reduce CPU usage if the thread count
# is already set to 1 for the given option, or more finely
# tune CPU performance.
runTimeRatioForLodBuilderThreads = "0.1"
#
# If this value is less than 1.0, it will be treated as a percentage
# of time each thread can run before going idle.
#
# This can be used to reduce CPU usage if the thread count
# is already set to 1 for the given option, or more finely
# tune CPU performance.
runTimeRatioForFileHandlerThreads = "0.25"
#
# If this value is less than 1.0, it will be treated as a percentage
# of time each thread can run before going idle.
#
# This can be used to reduce CPU usage if the thread count
# is already set to 1 for the given option, or more finely
# tune CPU performance.
runTimeRatioForUpdatePropagatorThreads = "0.1"
#
# How many threads should be used when reading/writing LOD data to/from disk?
#
# Increasing this number will cause LODs to load in faster,
# but may cause lag when loading a new world or when
# quickly flying through existing LODs.
#
# Multi-threading Note:
# If the total thread count in Distant Horizon's config is more threads than your CPU has cores,
# CPU performance may suffer if Distant Horizons has a lot to load or generate.
# This can be an issue when first loading into a world, when flying, and/or when generating new terrain.
numberOfFileHandlerThreads = 1
#
# How many threads should be used when applying LOD updates?
# An LOD update is the operation of down-sampling a high detail LOD
# into a lower detail one.
#
# This config can have a much higher number of threads
# assigned and much lower run time ratio vs other thread pools
# because the amount of time any particular thread may run is relatively low.
#
# This is because LOD updating only only partially thread safe,
# so between 40% and 60% of the time a given thread may end up
# waiting on another thread to finish updating the same LOD it also wants
# to work on.
#
# Multi-threading Note:
# If the total thread count in Distant Horizon's config is more threads than your CPU has cores,
# CPU performance may suffer if Distant Horizons has a lot to load or generate.
# This can be an issue when first loading into a world, when flying, and/or when generating new terrain.
numberOfUpdatePropagatorThreads = 1
#
# How many threads should be used when generating LOD
# chunks outside the normal render distance?
#
# If you experience stuttering when generating distant LODs,
# decrease this number.
# If you want to increase LOD
# generation speed, increase this number.
#
# Multi-threading Note:
# If the total thread count in Distant Horizon's config is more threads than your CPU has cores,
# CPU performance may suffer if Distant Horizons has a lot to load or generate.
# This can be an issue when first loading into a world, when flying, and/or when generating new terrain.
numberOfWorldGenerationThreads = 1
[client.advanced.logging]
#
# If enabled, the mod will log information about the renderer OpenGL process.
# This can be useful for debugging.
logRendererGLEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, the mod will log performance about the world generation process.
# This can be useful for debugging.
logWorldGenPerformance = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, the mod will log information about file sub-dimension operations.
# This can be useful for debugging.
logFileSubDimEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, a chat message will be displayed if Java doesn't have enough
# memory allocated to run DH well.
showLowMemoryWarningOnStartup = true
#
# If enabled, a chat message will be displayed when a replay is started
# giving some basic information about how DH will function.
showReplayWarningOnStartup = true
#
# If enabled, the mod will log information about file read/write operations.
# This can be useful for debugging.
logFileReadWriteEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, the mod will log information about network operations.
# This can be useful for debugging.
logNetworkEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, a chat message will be displayed when a potentially problematic
# mod is installed alongside DH.
showModCompatibilityWarningsOnStartup = true
#
# If enabled, the mod will log information about the renderer buffer process.
# This can be useful for debugging.
logRendererBufferEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, the mod will log information about the LOD generation process.
# This can be useful for debugging.
logLodBuilderEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, the mod will log information about the world generation process.
# This can be useful for debugging.
logWorldGenEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
#
# If enabled, the mod will log information about the world generation process.
# This can be useful for debugging.
logWorldGenLoadEvent = "LOG_ERROR_TO_CHAT_AND_INFO_TO_FILE"
[client.advanced.debugging]
#
# If enabled this will disable (most) vanilla Minecraft rendering.
#
# NOTE: Do not report any issues when this mode is on!
# This setting is only for fun and debugging.
# Mod compatibility is not guaranteed.
lodOnlyMode = false
#
# Stops vertex colors from being passed.
# Useful for debugging shaders
enableWhiteWorld = false
#
# What renderer is active?
#
# DEFAULT: Default lod renderer
# DEBUG: Debug testing renderer
# DISABLED: Disable rendering
rendererMode = "DEFAULT"
#
# If enabled the LODs will render as wireframe.
renderWireframe = false
#
# If true the F8 key can be used to cycle through the different debug modes.
# and the F6 key can be used to enable and disable LOD rendering.
enableDebugKeybindings = false
#
# If true overlapping quads will be rendered as bright red for easy identification.
# If false the quads will be rendered normally.
showOverlappingQuadErrors = false
#
# Should specialized colors/rendering modes be used?
#
# OFF: LODs will be drawn with their normal colors.
# SHOW_DETAIL: LODs' color will be based on their detail level.
# SHOW_BLOCK_MATERIAL: LODs' color will be based on their material.
# SHOW_OVERLAPPING_QUADS: LODs will be drawn with total white, but overlapping quads will be drawn with red.
debugRendering = "OFF"
#
# If true OpenGL Buffer garbage collection will be logged
# this also includes the number of live buffers.
logBufferGarbageCollection = false
[client.advanced.debugging.debugWireframe]
#
# Render LOD section status?
showRenderSectionStatus = false
#
# Render full data update/lock status?
showFullDataUpdateStatus = false
#
# Render queued world gen tasks?
showWorldGenQueue = false
#
# Render Quad Tree Rendering status?
showQuadTreeRenderStatus = false
#
# If enabled, various wireframes for debugging internal functions will be drawn.
#
# NOTE: There WILL be performance hit!
# Additionally, only stuff that's loaded after you enable this
# will render their debug wireframes.
enableRendering = false
[client.advanced.debugging.openGl]
#
# Requires a reboot to change.
overrideVanillaGLLogger = false
#
# Can be changed if you experience crashing when loading into a world.
#
# Defines the OpenGL context type Distant Horizon's will create.
# Generally this should be left as [CORE] unless there is an issue with your GPU driver.
# Possible values: [CORE],[COMPAT],[ANY]
glProfileMode = "CORE"
#
# Defines how OpenGL errors are handled.
# May incorrectly catch OpenGL errors thrown by other mods.
#
# IGNORE: Do nothing.
# LOG: write an error to the log.
# LOG_THROW: write to the log and throw an exception.
# Warning: this should only be enabled when debugging the LOD renderer
# as it may break Minecraft's renderer when an exception is thrown.
glErrorHandlingMode = "IGNORE"
#
# Can be changed if you experience crashing when loading into a world.
#
# If true Distant Horizon's OpenGL contexts will be created with legacy OpenGL methods disabled.
# Distant Horizons doesn't use any legacy OpenGL methods so normally this should be disabled.
enableGlForwardCompatibilityMode = true
#
# Can be changed if you experience crashing when loading into a world.
# Note: setting to an invalid version may also cause the game to crash.
#
# Leaving this value at causes DH to try all supported GL versions.
#
# Defines the requested OpenGL context major version Distant Horizons will create.
# Possible values (DH requires 3.2 or higher at minimum):
# 4.6, 4.5, 4.4, 4.3, 4.2, 4.1, 4.0
# 3.3, 3.2
glContextMajorVersion = 0
#
# Can be changed if you experience crashing when loading into a world.
#
# If true Distant Horizon's OpenGL contexts will be created with debugging enabled.
# This allows for enhanced debugging but may throw warnings for other mods or active overlay software.
enableGlDebugContext = false
#
# Can be changed if you experience crashing when loading into a world.
# Note: setting to an invalid version may also cause the game to crash.
#
# Defines the requested OpenGL context major version Distant Horizons will create.
# Possible values (DH requires 3.2 or higher at minimum):
# 4.6, 4.5, 4.4, 4.3, 4.2, 4.1, 4.0
# 3.3, 3.2
glContextMinorVersion = 0
[client.advanced.debugging.exampleConfigScreen]
shortTest = "69"
mapTest = "{}"
byteTest = "8"
longTest = "42069"
listTest = ["option 1", "option 2", "option 3"]
boolTest = false
doubleTest = "420.69"
floatTest = "0.42069"
linkableTest = 420
intTest = 69420
stringTest = "Test input box"
[client.advanced.graphics]
[client.advanced.graphics.ssao]
#
# Determines how many points in space are sampled for the occlusion test.
# Higher numbers will improve quality and reduce banding, but will increase GPU load.
sampleCount = 6
#
# Determines how dark the Screen Space Ambient Occlusion effect will be.
strength = "0.2"
#
# The radius, measured in pixels, that blurring is calculated for the SSAO.
# Higher numbers will reduce banding at the cost of GPU performance.
blurRadius = 2
#
# Increasing the value can reduce banding at the cost of reducing the strength of the effect.
bias = "0.02"
#
# Determines how dark the occlusion shadows can be.
# 0 = totally black at the corners
# 1 = no shadow
minLight = "0.25"
#
# Determines the radius Screen Space Ambient Occlusion is applied, measured in blocks.
radius = "4.0"
#
# Enable Screen Space Ambient Occlusion
enabled = true
[client.advanced.graphics.advancedGraphics]
#
# If true all beacons near the camera won't be drawn to prevent vanilla overdraw.
# If false all beacons will be rendered.
#
# Generally this should be left as false. It's main purpose is for debugging
# beacon updating/rendering.
disableBeaconDistanceCulling = false
#
# What the value should vanilla Minecraft's texture LodBias be?
# If set to 0 the mod wont overwrite vanilla's default (which so happens to also be 0)
lodBias = "0.0"
#
# How should the sides and bottom of grass block LODs render?
#
# AS_GRASS: all sides of dirt LOD's render using the top (green) color.
# FADE_TO_DIRT: sides fade from grass to dirt.
# AS_DIRT: sides render entirely as dirt.
grassSideRendering = "FADE_TO_DIRT"
#
# Determines how far from the camera Distant Horizons will start rendering.
# Measured as a percentage of the vanilla render distance.
#
# Higher values will prevent LODs from rendering behind vanilla blocks at a higher distance,
# but may cause holes to appear in the LODs.
# Holes are most likely to appear when flying through unloaded terrain.
#
# Increasing the vanilla render distance increases the effectiveness of this setting.
overdrawPrevention = "0.4"
#
# How bright LOD colors are.
#
# 0 = black
# 1 = normal
# 2 = near white
brightnessMultiplier = "1.0"
#
# If enabled caves will be culled
#
# NOTE: This feature is under development and
# it is VERY experimental! Please don't report
# any issues related to this feature.
#
# Additional Info: Currently this cull all faces
# with skylight value of 0 in dimensions that
# does not have a ceiling.
enableCaveCulling = true
#
# Identical to the other frustum culling option
# only used when a shader mod is present using the DH API
# and the shadow pass is being rendered.
#
# Disable this if shadows render incorrectly.
disableShadowPassFrustumCulling = false
#
# At what Y value should cave culling start?
# Lower this value if you get walls for areas with 0 light.
caveCullingHeight = 60
#
# How should LODs be shaded?
#
# AUTO: Uses the same side shading as vanilla Minecraft blocks.
# ENABLED: Simulates Minecraft's block shading for LODs.
# Can be used to force LOD shading when using some shaders.
# DISABLED: All LOD sides will be rendered with the same brightness.
lodShading = "AUTO"
#
# How saturated LOD colors are.
#
# 0 = black and white
# 1 = normal
# 2 = very saturated
saturationMultiplier = "1.0"
#
# This is the earth size ratio when applying the curvature shader effect.
# Note: Enabling this feature may cause rendering bugs.
#
# 0 = flat/disabled
# 1 = 1 to 1 (6,371,000 blocks)
# 100 = 1 to 100 (63,710 blocks)
# 10000 = 1 to 10000 (637.1 blocks)
#
# Note: Due to current limitations, the min value is 50
# and the max value is 5000. Any values outside this range
# will be set to 0 (disabled).
earthCurveRatio = 0
#
# If false LODs outside the player's camera
# aren't drawn, increasing GPU performance.
#
# If true all LODs are drawn, even those behind
# the player's camera, decreasing GPU performance.
#
# Disable this if you see LODs disappearing at the corners of your vision.
disableFrustumCulling = false
[client.advanced.graphics.genericRendering]
#
# If true LOD clouds will be rendered.
enableCloudRendering = true
#
# If true LOD beacon beams will be rendered.
enableBeaconRendering = true
#
# If true non terrain objects will be rendered in DH's terrain.
# This includes beacon beams and clouds.
enableRendering = true
[client.advanced.graphics.quality]
#
# What is the maximum detail LODs should be drawn at?
# Higher settings will increase memory and GPU usage.
#
# CHUNK: render 1 LOD for each Chunk.
# HALF_CHUNK: render 4 LODs for each Chunk.
# FOUR_BLOCKS: render 16 LODs for each Chunk.
# TWO_BLOCKS: render 64 LODs for each Chunk.
# BLOCK: render 256 LODs for each Chunk (width of one block).
#
# Lowest Quality: CHUNK
# Highest Quality: BLOCK
maxHorizontalResolution = "BLOCK"
#
# The radius of the mod's render distance. (measured in chunks)
lodChunkRenderDistanceRadius = 128
#
# Should the blocks underneath avoided blocks gain the color of the avoided block?
#
# True: a red flower will tint the grass below it red.
# False: skipped blocks will not change color of surface below them.
tintWithAvoidedBlocks = true
#
# This indicates how quickly LODs decrease in quality the further away they are.
# Higher settings will render higher quality fake chunks farther away,
# but will increase memory and GPU usage.
horizontalQuality = "EXTREME"
#
# How should LOD transparency be handled.
#
# COMPLETE: LODs will render transparent.
# FAKE: LODs will be opaque, but shaded to match the blocks underneath.
# DISABLED: LODs will be opaque.
transparency = "COMPLETE"
#
# This indicates how well LODs will represent
# overhangs, caves, floating islands, etc.
# Higher options will make the world more accurate, butwill increase memory and GPU usage.
#
# Lowest Quality: HEIGHT_MAP
# Highest Quality: EXTREME
verticalQuality = "EXTREME"
#
# What blocks shouldn't be rendered as LODs?
#
# NONE: Represent all blocks in the LODs
# NON_COLLIDING: Only represent solid blocks in the LODs (tall grass, torches, etc. won't count for a LOD's height)
blocksToIgnore = "NON_COLLIDING"
[client.advanced.graphics.fog]
#
# When should fog be drawn?
#
# USE_OPTIFINE_SETTING: Use whatever Fog setting Optifine is using.
# If Optifine isn't installed this defaults to FOG_ENABLED.
# FOG_ENABLED: Never draw fog on the LODs
# FOG_DISABLED: Always draw fast fog on the LODs
#
# Disabling fog will improve GPU performance.
drawMode = "FOG_ENABLED"
#
# What color should fog use?
#
# USE_WORLD_FOG_COLOR: Use the world's fog color.
# USE_SKY_COLOR: Use the sky's color.
colorMode = "USE_WORLD_FOG_COLOR"
#
# Should Minecraft's fog be disabled?
#
# Note: Other mods may conflict with this setting.
disableVanillaFog = true
[client.advanced.graphics.fog.advancedFog]
#
# What is the maximum fog thickness?
#
# 0.0: No fog.
# 1.0: Fully opaque fog.
farFogMax = "1.0"
#
# At what distance should the far fog start?
#
# 0.0: Fog starts at the player's position.
# 1.0: Fog starts at the closest edge of the vanilla render distance.
# 1.414: Fog starts at the corner of the vanilla render distance.
farFogStart = "0.4"
#
# What is the minimum fog thickness?
#
# 0.0: No fog.
# 1.0: Fully opaque fog.
farFogMin = "0.0"
#
# How should the fog thickness should be calculated?
#
# LINEAR: Linear based on distance (will ignore 'density')
# EXPONENTIAL: 1/(e^(distance*density))
# EXPONENTIAL_SQUARED: 1/(e^((distance*density)^2)
farFogFalloff = "EXPONENTIAL_SQUARED"
#
# Used in conjunction with the Fog Falloff.
farFogDensity = "2.5"
#
# Where should the far fog end?
#
# 0.0: Fog ends at player's position.
# 1.0: Fog ends at the closest edge of the vanilla render distance.
# 1.414: Fog ends at the corner of the vanilla render distance.
farFogEnd = "1.0"
[client.advanced.graphics.fog.advancedFog.heightFog]
#
# What is the minimum fog thickness?
#
# 0.0: No fog.
# 1.0: Fully opaque fog.
heightFogMin = "0.0"
#
# Where should the height fog start?
#
# ABOVE_CAMERA: Height fog starts at the camera and goes towards the sky
# BELOW_CAMERA: Height fog starts at the camera and goes towards the void
# ABOVE_AND_BELOW_CAMERA: Height fog starts from the camera to goes towards both the sky and void
# ABOVE_SET_HEIGHT: Height fog starts from a set height and goes towards the sky
# BELOW_SET_HEIGHT: Height fog starts from a set height and goes towards the void
# ABOVE_AND_BELOW_SET_HEIGHT: Height fog starts from a set height and goes towards both the sky and void
heightFogMode = "ABOVE_AND_BELOW_CAMERA"
#
# If the height fog is calculated around a set height, what is that height position?
heightFogBaseHeight = "70.0"
#
# What is the maximum fog thickness?
#
# 0.0: No fog.
# 1.0: Fully opaque fog.
heightFogMax = "1.0"
#
# How should the height fog thickness should be calculated?
#
# LINEAR: Linear based on height (will ignore 'density')
# EXPONENTIAL: 1/(e^(height*density))
# EXPONENTIAL_SQUARED: 1/(e^((height*density)^2)
heightFogFalloff = "EXPONENTIAL_SQUARED"
#
# What is the height fog's density?
heightFogDensity = "2.5"
#
# How should height effect the fog thickness?
# Note: height fog is combined with the other fog settings.
#
# BASIC: No special height fog effect. Fog is calculated based on camera distance
# IGNORE_HEIGHT: Ignore height completely. Fog is only calculated with horizontal distance
# ADDITION: heightFog + farFog
# MAX: max(heightFog, farFog)
# MULTIPLY: heightFog * farFog
# INVERSE_MULTIPLY: 1 - (1-heightFog) * (1-farFog)
# LIMITED_ADDITION: farFog + max(farFog, heightFog)
# MULTIPLY_ADDITION: farFog + farFog * heightFog
# INVERSE_MULTIPLY_ADDITION: farFog + 1 - (1-heightFog) * (1-farFog)
# AVERAGE: farFog*0.5 + heightFog*0.5
#
# Note: height fog settings are ignored if 'BASIC' or 'IGNORE_HEIGHT' are selected.
heightFogMixMode = "BASIC"
#
# Should the start of the height fog be offset?
#
# 0.0: Fog start with no offset.
# 1.0: Fog start with offset of the entire world's height. (Includes depth)
heightFogStart = "0.0"
#
# Should the end of the height fog be offset?
#
# 0.0: Fog end with no offset.
# 1.0: Fog end with offset of the entire world's height. (Include depth)
heightFogEnd = "1.0"
[client.advanced.graphics.noiseTextureSettings]
#
# Defines how far should the noise texture render before it fades away. (in blocks)
# Set to 0 to disable noise from fading away
noiseDropoff = 1024
#
# How many steps of noise should be applied to LODs?
noiseSteps = 4
#
# Should a noise texture be applied to LODs?
#
# This is done to simulate textures and make the LODs appear more detailed.
noiseEnabled = true
#
# How intense should the noise should be?
noiseIntensity = "5.0"
[client.advanced.worldGenerator]
#
# How detailed should LODs be generated outside the vanilla render distance?
#
# PRE_EXISTING_ONLY
# Only create LOD data for already generated chunks.
#
#
# SURFACE
# Generate the world surface,
# this does NOT include trees,
# or structures.
#
# FEATURES
# Generate everything except structures.
# WARNING: This may cause world generator bugs or instability when paired with certain world generator mods.
distantGeneratorMode = "FEATURES"
#
# How long should a world generator thread run for before timing out?
# Note: If you are experiencing timeout errors it is better to lower your CPU usage first
# via the thread config before changing this value.
worldGenerationTimeoutLengthInSeconds = 180
#
# Should Distant Horizons slowly generate LODs
# outside the vanilla render distance?
#
# Note: when on a server, distant generation isn't supported
# and will always be disabled.
enableDistantGeneration = true
[client.advanced.multiplayer]
#
# AKA: Multiverse support.
#
# When matching levels (dimensions) of the same type (overworld, nether, etc.) the
# loaded chunks must be at least this percent the same
# in order to be considered the same world.
#
# Note: If you use portals to enter a dimension at two
# different locations the system will think the dimension
# it is two different levels.
#
# 1.0 (100%) the chunks must be identical.
# 0.5 (50%) the chunks must be half the same.
# 0.0 (0%) disables multi-dimension support,
# only one world will be used per dimension.
#
# If multiverse support is needed start with a value of 0.2
# and tweak the sensitivity from there.Lower values mean the matching is less strict.
# Higher values mean the matching is more strict.
multiverseSimilarityRequiredPercent = "0.0"
#
# How should multiplayer save folders should be named?
#
# NAME_ONLY: Example: "Minecraft Server"
# IP_ONLY: Example: "192.168.1.40"
# NAME_IP: Example: "Minecraft Server IP 192.168.1.40"
# NAME_IP_PORT: Example: "Minecraft Server IP 192.168.1.40:25565"NAME_IP_PORT_MC_VERSION: Example: "Minecraft Server IP 192.168.1.40:25565 GameVersion 1.16.5"
serverFolderNameMode = "NAME_ONLY"

8
config/MouseTweaks.cfg Normal file
View file

@ -0,0 +1,8 @@
RMBTweak=1
LMBTweakWithItem=1
LMBTweakWithoutItem=1
WheelTweak=1
WheelSearchOrder=1
WheelScrollDirection=0
ScrollItemScaling=0
Debug=0

View file

@ -0,0 +1,20 @@
{
"defaultSigningMode": "ON_DEMAND",
"enableMod": true,
"showNCRButton": false,
"showReloadButton": false,
"verifiedIconEnabled": false,
"showServerSafety": true,
"hideInsecureMessageIndicators": true,
"hideModifiedMessageIndicators": false,
"hideSystemMessageIndicators": true,
"hideWarningToast": true,
"hideSigningRequestMessage": true,
"alwaysHideReportButton": false,
"skipRealmsWarning": true,
"disableTelemetry": false,
"removeTelemetryButton": false,
"demandOnServer": false,
"verifiedIconOffsetX": 0,
"verifiedIconOffsetY": 0
}

View file

@ -0,0 +1,7 @@
{
"demandOnClientMessage": "You do not have No Chat Reports, and this server is configured to require it on client!",
"demandOnClient": false,
"convertToGameMessage": true,
"addQueryData": false,
"enableDebugLog": false
}

View file

@ -0,0 +1,28 @@
{
"skipWarning": false,
"enableEncryption": false,
"encryptPublic": true,
"showEncryptionButton": false,
"showEncryptionIndicators": true,
"encryptionKey": "blfrngArk3chG6wzncOZ5A\u003d\u003d",
"encryptionPassphrase": "",
"algorithmName": "AES/CFB8+Base64",
"encryptableCommands": [
"msg:1",
"w:1",
"whisper:1",
"tell:1",
"r:0",
"dm:1",
"me:0",
"m:1",
"t:1",
"pm:1",
"emsg:1",
"epm:1",
"etell:1",
"ewhisper:1",
"message:1",
"reply:0"
]
}

View file

@ -0,0 +1,3 @@
{
"signingModes": {}
}

View file

@ -0,0 +1,3 @@
# No Chat Reports
You can find updated documentation of configuration files on the wiki:
https://github.com/Aizistral-Studios/No-Chat-Reports/wiki/Configuration-Files

View file

@ -0,0 +1,12 @@
{
"PinningEnabled": false,
"ShowAdvancementIDInDebugTooltip": false,
"ShowDebugInfo": "ALWAYS",
"MaxCriterionEntries": 6,
"FadeOutBackgroundOnAdvancementHover": false,
"SaveLastSelectedTab": false,
"PinnedTabs": [],
"LastSelectedTab": "",
"SpacingBetweenHorizontalTabs": 4,
"SpacingBetweenPinnedTabs": 2
}

View file

22
config/appleskin.json5 Normal file
View file

@ -0,0 +1,22 @@
{
// If true, shows the hunger and saturation values of food in its tooltip while holding SHIFT
"showFoodValuesInTooltip": true,
// If true, shows the hunger and saturation values of food in its tooltip automatically (without needing to hold SHIFT)
"showFoodValuesInTooltipAlways": true,
// If true, shows your current saturation level overlayed on the hunger bar
"showSaturationHudOverlay": true,
// If true, shows the hunger (and saturation if showSaturationHudOverlay is true) that would be restored by food you are currently holding
"showFoodValuesHudOverlay": true,
// If true, enables the hunger/saturation/health overlays for food in your off-hand
"showFoodValuesHudOverlayWhenOffhand": true,
// If true, shows your food exhaustion as a progress bar behind the hunger bar
"showFoodExhaustionHudUnderlay": true,
// If true, shows estimated health restored by food on the health bar
"showFoodHealthHudOverlay": true,
// If true, shows your hunger, saturation, and exhaustion level in Debug Screen
"showFoodDebugInfo": true,
// If true, health/hunger overlay will shake to match Minecraft's icon animations
"showVanillaAnimationsOverlay": true,
// Alpha value of the flashing icons at their most visible point (1.0 = fully opaque, 0.0 = fully transparent)
"maxHudOverlayFlashAlpha": 0.6499999761581421
}

10
config/capes.json5 Executable file
View file

@ -0,0 +1,10 @@
{
"clientCapeType": "MINECRAFTCAPES",
"enableOptifine": true,
"enableLabyMod": false,
"enableWynntils": true,
"enableMinecraftCapesMod": true,
"enableCosmetica": true,
"enableCloaksPlus": true,
"enableElytraTexture": true
}

View file

@ -0,0 +1,3 @@
{
"type_enchantment_scroll_multiplier": 1.0
}

1
config/citresewn.json Executable file
View file

@ -0,0 +1 @@
{"broken_paths":false}

6
config/continuity.json Normal file
View file

@ -0,0 +1,6 @@
{
"connected_textures": true,
"emissive_textures": true,
"custom_block_layers": true,
"use_manual_culling": true
}

22
config/controlify.json Normal file
View file

@ -0,0 +1,22 @@
{
"current_controller": null,
"controllers": {},
"global": {
"virtual_mouse_screens": [
"net.minecraft.class_465"
],
"keyboardMovement": false,
"keyboard_movement_whitelist": [],
"out_of_focus_input": false,
"load_vibration_natives": true,
"custom_vibration_natives_path": "",
"vibration_onboarded": true,
"reach_around": "OFF",
"allow_server_rumble": true,
"ui_sounds": false,
"notify_low_battery": true,
"quiet_mode": false,
"ingame_button_guide_scale": 1.0,
"seen_servers": []
}
}

View file

@ -0,0 +1 @@
{"MC-105068":"Attacking a shield-blocking player always plays the player hurts sound","MC-93018":"Wild wolves show breeding hearts but do not breed","MC-127970":"Using Riptide on a trident with an item in your off-hand causes visual glitch with said item","MC-200418":"Cured baby zombie villagers stay as jockey variant","MC-199467":"Certain entity animations stop after they\u0027ve existed in world for too long","MC-159163":"Quickly pressing the sneak key causes the sneak animation to play twice","MC-121903":"Command block minecarts do not save execution cooldown to NBT","MC-119754":"Firework boosting on elytra continues in spectator mode","MC-129909":"Players in spectator mode continue to consume foods and liquids shortly after switching game modes","MC-206922":"Items dropped by entities that are killed by lightning instantly disappear","MC-121706":"Skeletons and illusioners, Zombies aren\u0027t looking up / down at their target while strafing","MC-55347":"Title with long duration shows in other world","MC-80859":"Starting to drag item stacks over other compatible stacks makes the latter invisible until appearance change (stack size increases)","MC-93384":"Bubbles appear at the feet of drowning mobs","MC-88371":"Ender Dragon flies down in the void when the exit portal is destroyed","MC-108948":"Boats / boats with chest on top of slime blocks hover over block","MC-8187":"Two-by-two arrangements of jungle or spruce saplings cannot grow when there are adjacent blocks located north or west of the sapling formation","MC-122477":"Linux/GNU: Opening chat sometimes writes \u0027t\u0027","MC-89146":"Pistons forget update when being reloaded","MC-122627":"Tab suggestion box has missing padding on right side","MC-577":"Mouse buttons block all inventory controls that are not default","MC-135971":"Can\u0027t use CTRL+Q in crafting table","MC-143474":"Respawning causes your hotbar to reset to the first space","MC-237493":"Telemetry cannot be disabled","MC-79545":"The experience bar disappears when too many levels are given to the player","MC-30391":"Chickens, blazes and the wither emit particles when landing from a height, despite falling slowly","MC-90683":"\"Received unknown passenger\" - Entities with differing render distances as passengers outputs error","MC-217716":"The green nausea overlay isn\u0027t removed when switching into spectator mode","MC-46766":"Breaking particles, sounds, and block cracks can be created in spectator mode","MC-100991":"Killing entities with a fishing rod doesn\u0027t count as a kill","MC-197260":"Armor Stand renders itself and armor dark if its head is in a solid block","MC-183776":"After switching game modes using F3+F4, you need to press F3 twice to toggle the debug screen","MC-224729":"Partially generated chunks are not saved in some situations","MC-4490":"Fishing line not attached to fishing rod in third person while crouching","MC-215530":"The freezing effect isn\u0027t immediately removed upon switching into spectator mode","MC-231743":"\"minecraft.used:minecraft.\u003cPOTTABLE_PLANT\u003e\" doesn\u0027t increase when placing plants into flower pots","MC-215531":"The carved pumpkin overlay is rendered in spectator mode","MC-7569":"RCON output has newlines removed","MC-179072":"Creepers do not defuse when switching from Survival to Creative/Spectator","MC-232869":"Adult striders can spawn with saddles in peaceful mode","MC-12829":"Flying through climbable blocks in creative mode slows you down","MC-176559":"Breaking process resets when a pickaxe enchanted with Mending mends by XP / Mending slows down breaking blocks again","MC-227169":"The main hand is positioned incorrectly when holding a loaded crossbow in your offhand","MC-119417":"A spectator can occupy a bed if they enter it and then are switched to spectator mode","MC-132878":"Armor stands destroyed by explosions/lava/fire don\u0027t produce particles","MC-263865":"Fullscreen state isn\u0027t saved","MC-231097":"Holding the \"Use\" button continues to slow down the player even after the used item has been dropped","MC-111516":"Player flickers/turns invisible when flying at high speeds","MC-69216":"Switching to spectator mode while fishing keeps rod cast","MC-22882":"Ctrl + Q won\u0027t work on Mac","MC-160095":"End Rods only break Cactus when moved by pistons","MC-116379":"Punching with a cast fishing rod in the off-hand detaches fishing line from rod","MC-223153":"Block of Raw Copper uses stone sounds instead of copper sounds","MC-59810":"Cannot break blocks while sprinting (Ctrl+Click \u003d right click on macOS)","MC-165381":"Block breaking can be delayed by dropping/throwing the tool while breaking a block","MC-155509":"Dying puffed pufferfish can still sting players","MC-183990":"Group AI of some mobs breaks when their target dies","MC-112730":"Beacon beam and structure block render twice per frame","MC-2025":"Mobs going out of fenced areas/suffocate in blocks when loading chunks"}

1
config/debugify.json Executable file
View file

@ -0,0 +1 @@
{"MC-577":true,"MC-22882":true,"MC-59810":true,"MC-89146":true,"MC-90683":true,"MC-112730":true,"MC-122477":true,"MC-199467":true,"MC-235035":true,"MC-237493":true,"MC-263865":true,"opt_out_updater":true,"gameplay_fixes_in_multiplayer":false,"default_disabled":true}

1
config/dynamic_fps.json Executable file
View file

@ -0,0 +1 @@
{"idle":{"condition":"none"},"battery_tracker":{"notifications":false},"download_natives":false,"states":{"unfocused":{"run_garbage_collector":true},"invisible":{"run_garbage_collector":true},"unplugged":{"frame_rate_target":-1}}}

10
config/e4mc/e4mc.toml Normal file
View file

@ -0,0 +1,10 @@
# Whether to use the broker to get the best relay based on location or use a hard-coded relay.
# default: true
useBroker = true
# default: https://broker.e4mc.link/getBestRelay
brokerUrl = "https://broker.e4mc.link/getBestRelay"
# default: test.e4mc.link
relayHost = "test.e4mc.link"
# default: 25575
relayPort = 25575

475
config/emi.css Normal file
View file

@ -0,0 +1,475 @@
/** EMI Config */
#general {
/**
* Whether EMI is enabled and visible.
*/
enabled: true;
/**
* Whether cheating in items is enabled.
*/
cheat-mode: false;
/**
* How much EMI should use tooltips and popups to show controls and information.
*/
help-level: normal;
/**
* Where EMI should pull stacks from to populate the index.
*/
index-source: creative;
/**
* Whether normal search queries should include the tooltip.
*/
search-tooltip-by-default: true;
/**
* Whether normal search queries should include the mod name.
*/
search-mod-name-by-default: false;
/**
* Whether normal search queries should include the stack's tags.
*/
search-tags-by-default: false;
}
#ui {
/**
* Which action should be performed when clicking the recipe book.
*/
recipe-book-action: toggle-craftables;
/**
* Where to display status effects in the inventory.
*/
effect-location: top;
/**
* Whether to display a gray overlay when hovering over a stack.
*/
show-hover-overlay: true;
/**
* Whether to add mod name to tooltips
*/
append-mod-id: true;
/**
* Whether to add mod name to item tooltips, in case another mod provides behavior
*/
append-item-mod-id: true;
/**
* Prevents recipes being quick crafted from shifting around under the cursor.
*/
miscraft-prevention: true;
/**
* The unit to display fluids as.
*/
fluid-unit: liters;
/**
* Whether to use the batched render system. Batching is faster, but may have
* incompatibilities with shaders or other mods.
*/
use-batched-renderer: true;
/**
* Whether to have the search bar in the center of the screen, instead of to the
* side.
*/
center-search-bar: true;
/**
* Which sidebar type to switch to when searching.
*/
search-sidebar-focus: index;
/**
* Which sidebar type to focus when the search is empty.
*/
empty-search-sidebar-focus: none;
/**
* The maximum height the recipe screen will grow to be if space is available in
* pixels.
*/
maximum-recipe-screen-height: 256;
/**
* The minimum width of the recipe screen in pixels. Controls how many tabs there
* can be, and where the page switching buttons go. The default is 176, the width
* of most screens.
*/
minimum-recipe-screen-width: 176;
/**
* The amount of vertical margin to give in the recipe screen.
*/
vertical-margin: 20;
/**
* Where to show workstations in the recipe screen
*/
workstation-location: bottom;
/**
* Display cost per batch when hovering a recipe output
*/
show-cost-per-batch: true;
/**
* Whether recipes should have a button to set as default.
*/
recipe-default-button: true;
/**
* Whether recipes should have a button to show the recipe tree.
*/
recipe-tree-button: true;
/**
* Whether recipes should have a button to fill the ingredients in a handler.
*/
recipe-fill-button: true;
/**
* Whether recipes should have a button to take a screenshot of the recipe.
*/
recipe-screenshot-button: false;
/**
* The GUI scale at which recipe screenshots are saved. Use 0 to use the current
* GUI scale.
*/
recipe-screenshot-scale: 0;
/**
* The pages in the left sidebar
*/
left-sidebar-pages: favorites;
/**
* The subpanels in the left sidebar
*/
left-sidebar-subpanels: none;
/**
* How many columns and rows of ingredients to limit the left sidebar to
*/
left-sidebar-size: 12, 100;
/**
* How much space to maintain between the left sidebar and obstructions, in pixels
*/
left-sidebar-margins: 2, 2, 2, 2;
/**
* Where to position the left sidebar
*/
left-sidebar-align: left, top;
/**
* Whether to render the header buttons and page count for the left sidebar
*/
left-sidebar-header: visible;
/**
* Which theme to use for the left sidebar
*/
left-sidebar-theme: transparent;
/**
* The pages in the right sidebar
*/
right-sidebar-pages: index, craftables;
/**
* The subpanels in the right sidebar
*/
right-sidebar-subpanels: none;
/**
* How many columns and rows of ingredients to limit the right sidebar to
*/
right-sidebar-size: 12, 100;
/**
* How much space to maintain between the right sidebar and obstructions, in pixels
*/
right-sidebar-margins: 2, 2, 2, 2;
/**
* Where to position the right sidebar
*/
right-sidebar-align: right, top;
/**
* Whether to render the header buttons and page count for the right sidebar
*/
right-sidebar-header: visible;
/**
* Which theme to use for the right sidebar
*/
right-sidebar-theme: transparent;
/**
* The pages in the top sidebar
*/
top-sidebar-pages: none;
/**
* The subpanels in the top sidebar
*/
top-sidebar-subpanels: none;
/**
* How many columns and rows of ingredients to limit the top sidebar to
*/
top-sidebar-size: 9, 9;
/**
* How much space to maintain between the top sidebar and obstructions, in pixels
*/
top-sidebar-margins: 2, 2, 2, 2;
/**
* Where to position the top sidebar
*/
top-sidebar-align: center, center;
/**
* Whether to render the header buttons and page count for the top sidebar
*/
top-sidebar-header: visible;
/**
* Which theme to use for the top sidebar
*/
top-sidebar-theme: transparent;
/**
* The pages in the bottom sidebar
*/
bottom-sidebar-pages: none;
/**
* The subpanels in the bottom sidebar
*/
bottom-sidebar-subpanels: none;
/**
* How many columns and rows of ingredients to limit the bottom sidebar to
*/
bottom-sidebar-size: 9, 9;
/**
* How much space to maintain between the bottom sidebar and obstructions, in
* pixels
*/
bottom-sidebar-margins: 2, 2, 2, 2;
/**
* Where to position the bottom sidebar
*/
bottom-sidebar-align: center, center;
/**
* Whether to render the header buttons and page count for the bottom sidebar
*/
bottom-sidebar-header: visible;
/**
* Which theme to use for the bottom sidebar
*/
bottom-sidebar-theme: transparent;
}
#binds {
/**
* Toggle the visibility of EMI.
*/
toggle-visibility: "ctrl key.keyboard.o";
/**
* Focuses the search bar.
*/
focus-search: "ctrl key.keyboard.f";
/**
* Clears the search bar.
*/
clear-search: "key.keyboard.unknown";
/**
* Display the recipes for creating a stack.
*/
view-recipes: "key.keyboard.r";
view-recipes: "key.mouse.left";
/**
* Display the recipes that can be created using a stack.
*/
view-uses: "key.keyboard.u";
view-uses: "key.mouse.right";
/**
* Favorite the item to display on the side of the screen opposite of recipies for
* quick access.
*/
favorite: "key.keyboard.a";
/**
* Set the default recipe for a given stack in the output of a recipe to that
* recipe.
*/
default-stack: "ctrl key.mouse.left";
/**
* Display the recipe tree for a given stack.
*/
view-stack-tree: "key.keyboard.unknown";
/**
* Display the recipe tree.
*/
view-tree: "key.keyboard.unknown";
/**
* Return to the previous page in EMI.
*/
back: "key.keyboard.backspace";
/**
* Return to the next page in EMI after going back.
*/
forward: "key.keyboard.unknown";
/**
* When on a stack with an associated recipe:
* Move ingredients for a single result.
*/
craft-one: "key.mouse.left";
/**
* When on a stack with an associated recipe:
* Move ingredients for as many results as possible.
*/
craft-all: "shift key.mouse.left";
/**
* When on a stack with an associated recipe:
* Move ingredients for a single result and put in inventory if possible.
*/
craft-one-to-inventory: "key.keyboard.unknown";
/**
* When on a stack with an associated recipe:
* Move ingredients for as many results as possible and put in inventory if
* possible.
*/
craft-all-to-inventory: "key.keyboard.unknown";
/**
* When on a stack with an associated recipe:
* Move ingredients for a single result and put in cursor if possible.
*/
craft-one-to-cursor: "ctrl key.mouse.left";
/**
* Display the recipe that will be used to craft on a stack with no recipe context.
*/
show-craft: "key.keyboard.left.shift";
/**
* Cheat in one of an item into the inventory.
*/
cheat-one-to-inventory: "ctrl key.mouse.right";
/**
* Cheat in a stack of an item into the inventory.
*/
cheat-stack-to-inventory: "ctrl key.mouse.left";
/**
* Cheat in one of an item into the cursor.
*/
cheat-one-to-cursor: "ctrl key.mouse.middle";
/**
* Cheat in a stack of an item into the cursor.
*/
cheat-stack-to-cursor: "key.keyboard.unknown";
/**
* Delete the stack in the cursor when hovering the index
*/
delete-cursor-stack: "key.mouse.left";
/**
* Copies the hovered recipe's ID to the clipboard
*/
copy-recipe-id: "key.keyboard.unknown";
/**
* In edit mode, hide the hovered stack
*/
hide-stack: "ctrl key.mouse.left";
/**
* In edit mode, hide stacks with the hovered stack's id
*/
hide-stack-by-id: "ctrl shift key.mouse.left";
}
#dev {
/**
* Whether development functions should be enabled. Not recommended for general
* play.
*/
dev-mode: false;
/**
* Whether editing the index is enabled
*/
edit-mode: false;
/**
* Whether to log untranslated tags as warnings.
*/
log-untranslated-tags: false;
/**
* Whether to log ingredients that don't have a representative tag as warnings.
*/
log-non-tag-ingredients: false;
/**
* Whether hovering the output of a recipe should show the recipe's EMI ID.
*/
show-recipe-ids: false;
/**
* Whether to display additional widgets added to recipes from other mods.
* These are typically developer facing and compatibility related, and not useful
* for players.
*/
show-recipe-decorators: false;
/**
* Whether stacks in the index should display a highlight if they have a recipe
* default.
*/
highlight-defaulted: false;
/**
* Whether to display exclusion areas
*/
highlight-exclusion-areas: false;
}

View file

@ -0,0 +1,38 @@
# Don't change this! Version used to track needed updates.
version = 1
debugMode = false
parseChestLoot = true
parseBlockLoot = true
parseMobLoot = true
parseGameplayLoot = true
parseArchaeologyLoot = true
skippedKeys = [
"emi_loot.function.fill_player_head",
"emi_loot.function.set_count_add",
"emi_loot.function.limit_count",
"emi_loot.no_conditions",
"emi_loot.function.set_count_set"
]
chestLootAlwaysStackSame = false
mobLootIncludeDirectDrops = true
chanceDecimalPlaces = 1
conditionStyle = "default"
[debugModes]
block = false
chest = false
mob = false
gameplay = false
archaeology = false
[compactLoot]
block = true
chest = true
mob = true
gameplay = true
archaeology = true
[logUnstranslatedTables]
chest = false
gameplay = false
archaeology = false

View file

@ -0,0 +1,20 @@
#Configuration file for Enhanced Block Entities
#Thu Oct 03 19:10:52 CEST 2024
bed_ao=false
bell_ao=true
chest_ao=false
christmas_chests=allowed
decorated_pot_ao=false
experimental_beds=true
experimental_chests=true
experimental_signs=true
force_resource_pack_compat=false
render_enhanced_beds=true
render_enhanced_bells=false
render_enhanced_chests=true
render_enhanced_decorated_pots=true
render_enhanced_shulker_boxes=true
render_enhanced_signs=true
shulker_box_ao=false
sign_ao=false
sign_text_rendering=smart

View file

@ -0,0 +1,27 @@
{
"logModelCreationData": false,
"debugOnRightClick": false,
"renderModeChoice": "NORMAL",
"vanillaModelHologramRenderMode_2": "OFF",
"attemptRevertingEntityModelsAlteredByAnotherMod": true,
"modelExportMode": "NONE",
"attemptPhysicsModPatch_2": "CUSTOM",
"modelUpdateFrequency": "Average",
"entityRenderModeOverrides": {},
"entityPhysicsModPatchOverrides": {},
"entityVanillaHologramOverrides": {},
"modelsNamesDisabled": [],
"allowEBEModConfigModify": true,
"animationLODDistance": 20,
"retainDetailOnLowFps": true,
"retainDetailOnLargerMobs": true,
"animationFrameSkipDuringIrisShadowPass": true,
"preventFirstPersonHandAnimating": false,
"onlyClientPlayerModel": false,
"doubleChestAnimFix": true,
"variationRequiresDefaultModel": true,
"resetPlayerModelEachRender": true,
"onlyDebugRenderOnHover": false,
"enforceOptifineSubFoldersVariantOnly": true,
"enforceOptiFineAnimSyntaxLimits": true
}

View file

@ -0,0 +1,39 @@
{
"optifine_limitRandomVariantGapsBy10": true,
"optifine_allowWeirdSkipsInTrueRandom": true,
"illegalPathSupportMode": "Entity",
"enableCustomTextures": true,
"enableCustomBlockEntities": true,
"textureUpdateFrequency_V2": "Fast",
"enableEmissiveTextures": true,
"enableEnchantedTextures": true,
"enableEmissiveBlockEntities": true,
"emissiveRenderMode": "DULL",
"alwaysCheckVanillaEmissiveSuffix": true,
"enableArmorAndTrims": true,
"skinFeaturesEnabled": false,
"skinTransparencyMode": "ETF_SKINS_ONLY",
"skinTransparencyInExtraPixels": true,
"skinFeaturesEnableTransparency": false,
"skinFeaturesEnableFullTransparency": false,
"tryETFTransparencyForAllSkins": false,
"enableEnemyTeamPlayersSkinFeatures": true,
"enableBlinking": true,
"blinkFrequency": 150,
"blinkLength": 1,
"advanced_IncreaseCacheSizeModifier": 1.0,
"debugLoggingMode": "None",
"logTextureDataInitialization": false,
"hideConfigButton": true,
"configButtonLoc": "BOTTOM_RIGHT",
"disableVanillaDirectoryVariantTextures": false,
"use3DSkinLayerPatch": true,
"enableFullBodyWardenTextures": true,
"entityEmissiveOverrides": {},
"propertiesDisabled": [],
"propertyInvertUpdatingOverrides": [],
"entityRandomOverrides": {},
"entityEmissiveBrightOverrides": {},
"entityRenderLayerOverrides": {},
"entityLightOverrides": {}
}

38
config/entityculling.json Normal file
View file

@ -0,0 +1,38 @@
{
"configVersion": 6,
"renderNametagsThroughWalls": true,
"blockEntityWhitelist": [
"create:rope_pulley",
"botania:flame_ring",
"minecraft:beacon",
"create:hose_pulley",
"betterend:eternal_pedestal",
"botania:magic_missile",
"botania:falling_star"
],
"entityWhitelist": [
"botania:mana_burst",
"drg_flares:drg_flares"
],
"tracingDistance": 128,
"debugMode": false,
"sleepDelay": 10,
"hitboxLimit": 50,
"skipMarkerArmorStands": true,
"tickCulling": true,
"tickCullingWhitelist": [
"create:contraption",
"create:stationary_contraption",
"create:gantry_contraption",
"minecraft:boat",
"mts:builder_seat",
"minecraft:firework_rocket",
"create:carriage_contraption",
"mts:builder_rendering",
"drg_flares:drg_flares",
"mts:builder_existing"
],
"disableF3": false,
"skipEntityCulling": false,
"skipBlockEntityCulling": false
}

3
config/etf_warnings.json Normal file
View file

@ -0,0 +1,3 @@
{
"ignoredConfigIds": []
}

View file

@ -0,0 +1,9 @@
#Indigo properties file
#Mon Oct 28 22:48:54 CET 2024
always-tesselate-blocks=auto
ambient-occlusion-mode=hybrid
debug-compare-lighting=auto
fix-exterior-vertex-lighting=auto
fix-luminous-block-ambient-occlusion=auto
fix-mean-light-calculation=auto
fix-smooth-lighting-offset=auto

View file

@ -0,0 +1 @@
{"version":1,"overrides":{"fabricloader":{"+depends":{"fabricloader":">=0.16.7"}},"minecraft":{"+recommends":{"Fabulously Optimized":">6.2.1"}}}}

View file

@ -0,0 +1,9 @@
{
"generalSettings": {
"enable": true,
"unexpectedTransitionDuration": 20,
"keepVanillaBehaviour": true,
"debugMode": false,
"debugHud": false
}
}

11
config/fabrishot.properties Executable file
View file

@ -0,0 +1,11 @@
#Fabrishot screenshot config
#Mon Sep 30 19:45:50 CEST 2024
custom_file_name=%time%_4K
delay=3
disable_gui_scaling=false
file_format=PNG
height=4068
hide_hud=false
override_screenshot_key=false
save_file=true
width=7680

5
config/fastquit.toml Executable file
View file

@ -0,0 +1,5 @@
renderSavingScreen = false
showToasts = false
showSavingTime = "FALSE"
backgroundPriority = 2
allowMultipleServers = false

View file

@ -0,0 +1,22 @@
# Replace the blockstate neighbor table
replaceNeighborLookup = true
# Do not store the properties of a state explicitly and read themfrom the replace neighbor table instead. Requires replaceNeighborLookup to be enabled
replacePropertyMap = true
# Cache the predicate instances used in multipart models
cacheMultipartPredicates = true
# Avoid creation of new strings when creating ModelResourceLocations
modelResourceLocations = true
# Do not create a new MultipartBakedModel instance for each block state using the same multipartmodel. Requires cacheMultipartPredicates to be enabled
multipartDeduplication = true
# Deduplicate cached data for blockstates, most importantly collision and render shapes
blockstateCacheDeduplication = true
# Deduplicate vertex data of baked quads in the basic model implementations
bakedQuadDeduplication = true
# Use smaller data structures for "simple" models, especially models with few side-specific faces
modelSides = true
# Replace objects used to detect multi-threaded access to chunks by a much smaller field. This option is disabled by default due to very rare and very hard-to-reproduce crashes, use at your own risk!
useSmallThreadingDetector = false
# Use a slightly more compact, but also slightly slower representation for block states
compactFastMap = false
# Populate the neighbor table used by vanilla. Enabling this slightly increases memory usage, but can help with issues in the rare case where mods access it directly.
populateNeighborTable = false

8
config/fsb-interop.json Normal file
View file

@ -0,0 +1,8 @@
{
"mode": "NATIVE",
"interoperability": true,
"debug_mode": true,
"prefer_f_s_b_native": true,
"process_opti_fine": true,
"process_m_c_patcher": false
}

View file

@ -0,0 +1,24 @@
{
"REGULAR_INFO": "----- Regular config values below -----",
"font_atlas_resizing": true,
"map_atlas_generation": true,
"hud_batching": true,
"fast_text_lookup": true,
"fast_buffer_upload": true,
"fast_buffer_upload_size_mb": 256,
"fast_buffer_upload_explicit_flush": true,
"COSMETIC_INFO": "----- Cosmetic only config values below (Does not optimize anything) -----",
"dont_add_info_into_debug_hud": false,
"EXPERIMENTAL_INFO": "----- Experimental config values below (Rendering glitches may occur) -----",
"experimental_disable_error_checking": false,
"experimental_disable_resource_pack_conflict_handling": false,
"experimental_sign_text_buffering": false,
"experimental_screen_batching": false,
"experimental_universal_hud_batching": false,
"DEBUG_INFO": "----- Debug only config values below (Do not touch) -----",
"debug_only_and_not_recommended_disable_universal_batching": false,
"debug_only_and_not_recommended_disable_mod_conflict_handling": false,
"debug_only_and_not_recommended_disable_hardware_conflict_handling": false,
"debug_only_print_additional_error_information": false,
"debug_only_use_last_usage_for_batch_ordering": false
}

View file

@ -0,0 +1,4 @@
#Indium properties file
#Mon Oct 28 22:43:49 CET 2024
always-tesselate-blocks=auto
ambient-occlusion-mode=auto

8
config/iris.properties Executable file
View file

@ -0,0 +1,8 @@
#This file stores configuration options for Iris, such as the currently active shaderpack
#Mon Oct 28 22:48:56 CET 2024
colorSpace=SRGB
disableUpdateMessage=true
enableDebugOptions=false
enableShaders=false
maxShadowRenderDistance=32
shaderPack=ComplementaryUnbound_r5.3.zip

View file

@ -0,0 +1 @@
{"main_menu":{"bottom_right":[{"text":"Fabulously Optimized 6.2.1","clickEvent":{"action":"open_url","value":"https://download.fo"}}]},"pause_menu":{"bottom_right":[{"translate":"isxander-main-menu-credits.fabrishot","fallback":"Take 4K screenshots with F9","color":"dark_gray"}]}}

View file

@ -0,0 +1,6 @@
{
"__comment": "This is an ignore list for the target of Jade. You can add registry ids to the \"values\" list.",
"values": [
"barrier"
]
}

View file

@ -0,0 +1,10 @@
{
"__comment": "This is an ignore list for the target of Jade. You can add registry ids to the \"values\" list.",
"values": [
"area_effect_cloud",
"firework_rocket",
"interaction",
"text_display",
"lightning_bolt"
]
}

48
config/jade/jade.json Normal file
View file

@ -0,0 +1,48 @@
{
"general": {
"itemModNameTooltip": false,
"bossBarOverlapMode": "PUSH_DOWN",
"builtinCamouflage": true,
"hideFromGUIs": true,
"accessibilityModMemory": false,
"enableAccessibilityPlugin": false,
"hideFromDebug": true,
"hideFromTabList": true,
"ttsMode": "PRESS",
"fluidMode": "NONE",
"extendedReach": 0.0,
"debug": false,
"displayEntities": true,
"displayBosses": true,
"displayMode": "TOGGLE",
"enableTextToSpeech": false,
"previewOverlay": true,
"displayTooltip": true,
"displayBlocks": true
},
"overlay": {
"alpha": 0.7,
"iconMode": "TOP",
"animation": true,
"disappearingDelay": 0.0,
"overlaySquare": false,
"flipMainHand": false,
"autoScaleThreshold": 0.4,
"overlayScale": 1.0,
"overlayAnchorX": 0.5,
"overlayAnchorY": 0.0,
"activeTheme": "jade:dark",
"overlayPosX": 0.5,
"overlayPosY": 1.0
},
"formatting": {
"itemModNameStyle": {
"italic": true,
"color": "blue"
}
},
"history": {
"hintOverlayToggle": false,
"themesHash": -328442023
}
}

79
config/jade/plugins.json Normal file
View file

@ -0,0 +1,79 @@
{
"minecraft": {
"item_storage.show_name_amount": 5,
"furnace": true,
"harvest_tool.show_unbreakable": false,
"animal_owner": true,
"harvest_tool.effective_tool": true,
"item_storage.normal_amount": 9,
"item_storage": true,
"harvest_tool": true,
"armor_stand": true,
"fluid_storage.detailed": false,
"next_entity_drop": true,
"energy_storage": true,
"entity_armor.max_for_render": 20,
"breaking_progress": true,
"tnt_stability": true,
"item_storage.items_per_line": 9,
"item_frame": true,
"crop_progress": true,
"command_block": true,
"mob_growth": true,
"waxed": true,
"harvest_tool.new_line": false,
"entity_health.max_for_render": 40,
"entity_health.show_fractions": false,
"mob_spawner": true,
"redstone": true,
"fluid_storage": true,
"jukebox": true,
"brewing_stand": true,
"energy_storage.detailed": false,
"note_block": true,
"beehive": true,
"item_storage.detailed_amount": 54,
"player_head": true,
"lectern": true,
"entity_armor": true,
"harvest_tool.creative": false,
"horse_stats": true,
"item_tooltip": true,
"entity_health": true,
"enchantment_power": true,
"zombie_villager": true,
"villager_profession": true,
"mob_breeding": true,
"entity_health.icons_per_line": 10,
"total_enchantment_power": true,
"potion_effects": true,
"painting": true,
"chiseled_bookshelf": true
},
"jadeaddons": {
"equipment_requirement": ""
},
"jade_access": {
"held_item": true,
"sign": true,
"block": true,
"entity": true,
"entity_variant": true
},
"reputation": {
"iron_golem": true,
"villager_snitch": true,
"villager_reputation": true
},
"jade": {
"coordinates.rel": false,
"registry_name.special": false,
"block_states": false,
"distance": false,
"block_face": false,
"coordinates": false,
"registry_name": "OFF",
"block_properties": false,
"mod_name": true
}
}

View file

@ -0,0 +1,67 @@
{
"jade:block_face": null,
"jade:block_properties": null,
"jade:block_states": null,
"jade:distance": null,
"jade:mod_name": null,
"jade:object_name": null,
"jade:registry_name": null,
"jade_access:block": null,
"jade_access:block_amount": null,
"jade_access:block_body": null,
"jade_access:entity": null,
"jade_access:entity_body": null,
"jade_access:entity_variant": null,
"jade_access:held_item": null,
"jade_access:sign": null,
"minecraft:animal_owner": null,
"minecraft:armor_stand": null,
"minecraft:beehive": null,
"minecraft:block_display": null,
"minecraft:brewing_stand": null,
"minecraft:campfire": null,
"minecraft:chiseled_bookshelf": null,
"minecraft:command_block": null,
"minecraft:crop_progress": null,
"minecraft:enchantment_power": null,
"minecraft:energy_storage": null,
"minecraft:energy_storage.default": null,
"minecraft:entity_armor": null,
"minecraft:entity_health": null,
"minecraft:falling_block": null,
"minecraft:fluid_storage": null,
"minecraft:fluid_storage.default": null,
"minecraft:furnace": null,
"minecraft:harvest_tool": null,
"minecraft:hopper_lock": null,
"minecraft:horse_stats": null,
"minecraft:item_ber": null,
"minecraft:item_display": null,
"minecraft:item_frame": null,
"minecraft:item_storage": null,
"minecraft:item_storage.default": null,
"minecraft:item_tooltip": null,
"minecraft:jukebox": null,
"minecraft:lectern": null,
"minecraft:mob_breeding": null,
"minecraft:mob_growth": null,
"minecraft:mob_spawner": null,
"minecraft:mob_spawner.cooldown": null,
"minecraft:next_entity_drop": null,
"minecraft:note_block": null,
"minecraft:painting": null,
"minecraft:player_head": null,
"minecraft:potion_effects": null,
"minecraft:progress": null,
"minecraft:redstone": null,
"minecraft:tnt_stability": null,
"minecraft:total_enchantment_power": null,
"minecraft:villager_profession": null,
"minecraft:waxed": null,
"minecraft:zombie_villager": null,
"polymer:blockstate": null,
"polymer:entities": null,
"reputation:iron_golem": null,
"reputation:villager_reputation": null,
"reputation:villager_snitch": null
}

View file

@ -0,0 +1,10 @@
{
"f1d701f8-cb28-4af0-af2c-90073353cae9": "AshleyGraves_",
"33c9468d-a851-4903-ad46-d92e62202c90": "exhq",
"bf20048c-a55a-322c-a100-5493e7b87286": "alex",
"033723df-4dbb-40ae-be8a-bedb487b5d4f": "IronFarm",
"ec561538-f3fd-461d-aff5-086b22154bce": "Alex",
"a3db02b7-9b46-4ae7-b9a8-14c797ec5d34": "nano_pone",
"da0ba969-0227-47d5-916a-bb498ab2b00a": "desnyca",
"9f5dfac2-d3d5-4c94-8956-cd8a45194ef4": "MaddieMewmews"
}

10
config/jmi-client.json Normal file
View file

@ -0,0 +1,10 @@
{
"ftbChunks": true,
"waystone": true,
"waypointMessageBlocks": [],
"waypointMessageEmptyHandOnly": true,
"claimedChunkOverlayOpacity": 0.222223,
"disableFTBFunction": true,
"waystoneColor": 16777215,
"defaultConfigVersion": -1
}

View file

@ -0,0 +1 @@
{"opAccess":true,"admins":["79f597fe-2877-4ecb-acdf-8c58cc1854ca"]}

View file

@ -0,0 +1,9 @@
mode = "fastest"
[light_sources]
water_sensitive_check = false
self = true
block_entities = false
tnt = "simple"
entities = false
creeper = "simple"

View file

@ -0,0 +1,8 @@
{
"version": 1,
"multilingualItemSearch": true,
"fallbacks": [],
"previousFallbacks": [],
"language": "en_us",
"previousLanguage": ""
}

View file

@ -0,0 +1,8 @@
# This is the configuration file for Lithium.
# This file exists for debugging purposes and should not be configured otherwise.
# Before configuring anything, take a backup of the worlds that will be opened.
#
# You can find information on editing this file and all the available options here:
# https://github.com/jellysquid3/lithium-fabric/wiki/Configuration-File
#
# By default, this file will be empty except for this notice.

1
config/midnightlib.json Executable file
View file

@ -0,0 +1 @@
{"config_screen_list":"FALSE"}

View file

@ -0,0 +1,11 @@
{
"default": {
"item_quads_expansion": 0.0,
"item_quads_indent": 1.0E-4
},
"mac_os": {
"item_quads_expansion": 0.0,
"item_quads_indent": 0.0099,
"shrink_ratio_multiplier": 1.0
}
}

View file

@ -0,0 +1,67 @@
# This is the configuration file for ModernFix.
# In general, prefer using the config screen to editing this file. It can be accessed
# via the standard mod menu on your respective mod loader. Changes will, however,
# require restarting the game to take effect.
#
# The following options can be enabled or disabled if there is a compatibility issue.
# Add a line with your option name and =true or =false at the bottom of the file to enable
# or disable a rule. For example:
# mixin.perf.dynamic_resources=true
# Do not include the #. You may reset to defaults by deleting this file.
#
# Available options:
# mixin.bugfix.chunk_deadlock=true # (default)
# mixin.bugfix.concurrency=true # (default)
# mixin.bugfix.ender_dragon_leak=true # (default)
# mixin.bugfix.packet_leak=false # (default)
# mixin.bugfix.paper_chunk_patches=true # (default)
# mixin.bugfix.restore_old_dragon_movement=false # (default)
# mixin.bugfix.world_leaks=true # (default)
# mixin.bugfix.world_screen_skipped=true # (default)
# mixin.devenv=false # (default)
# mixin.feature.branding=true # (default)
# mixin.feature.cause_lag_by_disabling_threads=false # (default)
# mixin.feature.direct_stack_trace=false # (default)
# mixin.feature.disable_unihex_font=false # (default)
# mixin.feature.integrated_server_watchdog=true # (default)
# mixin.feature.measure_time=true # (default)
# mixin.feature.remove_chat_signing=false # (default)
# mixin.feature.snapshot_easter_egg=true # (default)
# mixin.feature.spam_thread_dump=false # (default)
# mixin.feature.spark_profile_launch=false # (default)
# mixin.feature.stalled_chunk_load_detection=false # (default)
# mixin.feature.warn_missing_perf_mods=true # (default)
# mixin.launch.class_search_cache=true # (default)
# mixin.perf.cache_blockstate_cache_arrays=true # (default)
# mixin.perf.cache_model_materials=true # (default)
# mixin.perf.cache_profile_texture_url=true # (default)
# mixin.perf.cache_strongholds=true # (default)
# mixin.perf.chunk_meshing=true # (default)
# mixin.perf.clear_fabric_mapping_tables=false # (default)
# mixin.perf.clear_mixin_classinfo=false # (default)
# mixin.perf.compact_bit_storage=true # (default)
# mixin.perf.dedicated_reload_executor=true # (default)
# mixin.perf.deduplicate_climate_parameters=false # (default)
# mixin.perf.deduplicate_location=false # (default)
# mixin.perf.deduplicate_wall_shapes=true # (default)
# mixin.perf.dynamic_entity_renderers=false # (default)
# mixin.perf.dynamic_resources=false # (default)
# mixin.perf.dynamic_sounds=true # (default)
# mixin.perf.dynamic_structure_manager=true # (default)
# mixin.perf.faster_command_suggestions=true # (default)
# mixin.perf.faster_item_rendering=false # (default)
# mixin.perf.faster_texture_stitching=true # (default)
# mixin.perf.fix_loop_spin_waiting=true # (default)
# mixin.perf.model_optimizations=true # (default)
# mixin.perf.mojang_registry_size=true # (default)
# mixin.perf.nbt_memory_usage=true # (default)
# mixin.perf.reduce_blockstate_cache_rebuilds=true # (default)
# mixin.perf.remove_biome_temperature_cache=true # (default)
# mixin.perf.resourcepacks=true # (default)
# mixin.perf.state_definition_construct=true # (default)
# mixin.perf.thread_priorities=true # (default)
# mixin.perf.ticking_chunk_alloc=true # (default)
# mixin.perf.worldgen_allocation=false # (default)
# mixin.safety=true # (default)
#
# User overrides go here.

1
config/modmenu.json Executable file
View file

@ -0,0 +1 @@
{"sorting":"ascending","count_libraries":false,"compact_list":false,"count_children":true,"mods_button_style":"shrink","game_menu_button_style":"insert","count_hidden_mods":false,"mod_count_location":"title_screen","hide_mod_links":false,"show_libraries":false,"hide_mod_license":true,"hide_badges":true,"hide_mod_credits":false,"easter_eggs":false,"random_java_colors":false,"translate_names":true,"translate_descriptions":true,"update_checker":false,"button_update_badge":false,"update_channel":"release","quick_configure":true,"modify_title_screen":true,"modify_game_menu":true,"hide_config_buttons":false,"config_mode":false,"disable_drag_and_drop":false,"hidden_mods":["minecraft","puzzle-models","puzzle-splashscreen","citresewn-defaults","indium","puzzle-gui","puzzle-base"],"hidden_configs":[],"disable_update_checker":[]}

21
config/moreculling.toml Executable file
View file

@ -0,0 +1,21 @@
version = 1
enableSodiumMenu = true
cloudCulling = true
signTextCulling = true
rainCulling = true
useBlockStateCulling = true
useCustomItemFrameRenderer = false
itemFrameMapCulling = true
useItemFrameLOD = true
itemFrameLODRange = 128
useItemFrame3FaceCulling = true
itemFrame3FaceCullingRange = 4.0
leavesCullingMode = "CHECK"
leavesCullingAmount = 2
includeMangroveRoots = true
endGatewayCulling = true
beaconBeamCulling = true
useOnModdedBlocksByDefault = true
[modCompatibility]
minecraft = true

View file

@ -0,0 +1,12 @@
{
"_c4": "Toggles visibility of F3 debug info",
"displayF3Info": true,
"_c5": "Enables logging of invalid registry ids (BlockStates, Blocks, Items, etc) sent by server",
"logInvalidServerEntryIds": false,
"_c6": "Disables Polymer's QoL changes that effects non-visual things",
"disableNonVisualQualityOfLifeChanges": false,
"_c7": "Enables experimental support for less standard modded containers, allowing them to display polymer items",
"experimentalModdedContainerSupport": true,
"_c11": "Makes polymer report time it's handshake took",
"logHandshakeTime": false
}

View file

@ -0,0 +1,14 @@
{
"_c1": "Keep this one at 0, unless you credit this library in another way",
"coreCommandOperatorLevel": 0,
"_c2": "Enabled developer utilities",
"enableDevTools": false,
"_c3": "Uses simpler about display for /polymer command",
"minimalisticAbout": false,
"_c4": "Logs warnings while creating template/filter entities",
"enableTemplateEntityWarnings": true,
"_c5": "Enables logging of more exceptions. Useful when debugging",
"logAllExceptions": false,
"_c6": "Forces all player resource pack checks to always return true (detect resource pack on client)",
"force_resource_pack_state_to_enabled": false
}

View file

@ -0,0 +1,22 @@
{
"_c0": "UUID of default/main resource pack.",
"main_uuid": "9b9a4d0a-e1ab-4f55-97d0-a85dc7c76ae1",
"_c1": "Marks resource pack as required, only effects clients and mods using api to check it",
"markResourcePackAsRequiredByDefault": false,
"_c2": "Force-enables offset of CustomModelData",
"forcePackOffset": false,
"_c3": "Value of CustomModelData offset when enabled",
"offsetValue": 100000,
"_c4": "Enables usage of alternative armor rendering for increased mod compatibility. (Always on with Iris or Canvas present)",
"use_alternative_armor_rendering": false,
"_c5": "Included resource packs from mods!",
"include_mod_assets": [],
"_c6": "Included resource packs from zips!",
"include_zips": [
"world/resources.zip"
],
"_c7": "Path used for creation of default resourcepack!",
"resource_pack_location": "polymer/resource_pack.zip",
"_c8": "Prevents selected paths from being added to resource pack, if they start with provided text.",
"prevent_path_with": []
}

View file

@ -0,0 +1,19 @@
{
"_c7": "Displays vanilla/modded creatives tabs in /polymer creative",
"displayNonPolymerCreativeTabs": true,
"_c9": "Makes server send additional block updates around clicked area",
"sendBlocksAroundClicked": true,
"_c11": "Makes polymer report time it's handshake took",
"logHandshakeTime": false,
"_c12": "Enables logging of BlockState ids rebuilds",
"logBlockStateRebuilds": true,
"_c1": "Enables syncing of non-polymer entries as polymer ones, when PolyMc is present",
"polyMcSyncModdedEntries": true,
"_c2": "Delay from last light updates to syncing it to clients, in ticks",
"lightUpdateTickDelay": 1,
"_c3": "Forcefully enables strict block updates, making client desyncs less likely to happen",
"force_strict_block_updates": false,
"_c4": "Enables experimental passing of ItemStack context through nbt, allowing for better mod compat",
"item_stack_nbt_hack": true,
"override_polymc_mining_check": false
}

22
config/puzzle.json Executable file
View file

@ -0,0 +1,22 @@
{
"disabledIntegrations": [
"citresewn",
"continuity",
"entity_texture_features",
"iris",
"lambdynlights",
"entity_model_features"
],
"enablePuzzleButton": false,
"resourcepackSplashScreen": true,
"unlimitedRotations": true,
"biggerModels": true,
"debugMessages": false,
"hasCustomSplashScreen": false,
"backgroundColor": 15675965,
"progressBarColor": 16777215,
"progressBarBackgroundColor": 15675965,
"progressFrameColor": 16777215,
"disableBlend": false,
"customBlendFunction": []
}

55
config/raised.json Normal file
View file

@ -0,0 +1,55 @@
{
"layers": {
"hotbar": {
"x": 0,
"y": 0,
"position": "BOTTOM",
"sync": "NONE"
},
"chat": {
"x": 0,
"y": 0,
"position": "BOTTOM",
"sync": "NONE"
},
"bossbar": {
"x": 0,
"y": 0,
"position": "TOP",
"sync": "NONE"
},
"sidebar": {
"x": 0,
"y": 0,
"position": "RIGHT",
"sync": "NONE"
},
"effects": {
"x": 0,
"y": 0,
"position": "TOP_RIGHT",
"sync": "NONE"
},
"players": {
"x": 0,
"y": 0,
"position": "TOP",
"sync": "NONE"
},
"toasts": {
"x": 0,
"y": 0,
"position": "TOP_RIGHT",
"sync": "NONE"
},
"other": {
"x": 0,
"y": 0,
"position": "BOTTOM",
"sync": "NONE"
}
},
"resources": {
"texture": "NONE"
}
}

13
config/rrls.toml Executable file
View file

@ -0,0 +1,13 @@
hideOverlays = "RELOADING"
rgbProgress = false
blockOverlay = false
miniRender = true
enableScissor = false
type = "PROGRESS"
reloadText = "Edit in config!"
resetResources = false
reInitScreen = true
removeOverlayAtEnd = true
earlyPackStatusSend = false
doubleLoad = "FORCE_LOAD"
animationSpeed = 500.0

5
config/smoothskies.json Normal file
View file

@ -0,0 +1,5 @@
{
"distance": 96,
"lowerSkyVoidDarkness": true,
"clearSkies": false
}

View file

@ -0,0 +1,64 @@
{
"animation_settings": {
"animation": true,
"water": true,
"lava": true,
"fire": true,
"portal": true,
"block_animations": true,
"sculk_sensor": true
},
"particle_settings": {
"particles": true,
"rain_splash": true,
"block_break": true,
"block_breaking": true,
"other": {}
},
"detail_settings": {
"sky": true,
"sun_moon": true,
"stars": true,
"rain_snow": true,
"biome_colors": true,
"sky_colors": true
},
"render_settings": {
"fog_distance": 0,
"fog_start": 100,
"multi_dimension_fog_control": false,
"dimensionFogDistance": {
"minecraft:overworld": 0
},
"light_updates": true,
"item_frame": true,
"armor_stand": true,
"painting": true,
"piston": true,
"beacon_beam": true,
"limit_beacon_beam_height": false,
"enchanting_table_book": true,
"item_frame_name_tag": true,
"player_name_tag": true
},
"extra_settings": {
"overlay_corner": "TOP_LEFT",
"text_contrast": "NONE",
"show_fps": false,
"show_f_p_s_extended": true,
"show_coords": false,
"reduce_resolution_on_mac": false,
"use_adaptive_sync": false,
"cloud_height": 192,
"cloud_distance": 100,
"toasts": true,
"advancement_toast": true,
"recipe_toast": true,
"system_toast": true,
"tutorial_toast": true,
"instant_sneak": false,
"prevent_shaders": false,
"steady_debug_hud": true,
"steady_debug_hud_refresh_interval": 1
}
}

View file

@ -0,0 +1,7 @@
# This is the configuration file for Sodium Extra.
# This file exists for debugging purposes and should not be configured otherwise.
#
# You can find information on editing this file and all the available options here:
# https://github.com/FlashyReese/sodium-extra-fabric/wiki/Configuration-File
#
# By default, this file will be empty except for this notice.

View file

@ -0,0 +1 @@
{"v":1,"s":"068a72305967badbd95f5b54503dbb459970ce494d7a4c70ef53d8dc2ff73ea80879a71e2e23cd3516b0a1116cc602af01d9ec656783fd58e2cbb1bc6052e1a4","u":"481817f26569f3561c1d27c2449936e0566e9fe0a48fcea7323087fb44df8c825e6f750cbc809f130ed15174329d5be6773c88867693f4823d6f2a938aa7ffb2","p":"24f4fc65f8f86579cd4a91c8d8f7992a7b55e1f75c55ba5e8183aba3f00e849d65696ea5feab741bc63e416d3d8352d1e9ba5519fd6dacaf9a890fc42e7feb92","t":1722624269}

View file

@ -0,0 +1,6 @@
# This is the configuration file for Sodium.
#
# You can find information on editing this file and all the available options here:
# https://github.com/CaffeineMC/sodium-fabric/wiki/Configuration-File
#
# By default, this file will be empty except for this notice.

View file

@ -0,0 +1,26 @@
{
"quality": {
"weather_quality": "FANCY",
"leaves_quality": "FANCY",
"enable_vignette": true
},
"advanced": {
"enable_memory_tracing": false,
"use_advanced_staging_buffers": true,
"cpu_render_ahead_limit": 3
},
"performance": {
"chunk_builder_threads": 0,
"always_defer_chunk_updates_v2": true,
"animate_only_visible_textures": true,
"use_entity_culling": true,
"use_fog_occlusion": true,
"use_block_face_culling": true,
"use_no_error_g_l_context": true,
"sorting_enabled_v2": true
},
"notifications": {
"has_cleared_donation_button": true,
"has_seen_donation_prompt": true
}
}

View file

@ -0,0 +1,19 @@
{
"debugMode": false,
"promiscuous": false,
"clearAllOnKey": false,
"cuboidGridColor": "#CC4C4CCC",
"cuboidEdgeColor": "#CC3333CC",
"cuboidFirstPointColor": "#33CC33CC",
"cuboidSecondPointColor": "#3333CCCC",
"polyGridColor": "#CC3333CC",
"polyEdgeColor": "#CC4C4CCC",
"polyPointColor": "#33CCCCCC",
"ellipsoidGridColor": "#CC4C4CCC",
"ellipsoidPointColor": "#CCCC33CC",
"cylinderGridColor": "#CC3333CC",
"cylinderEdgeColor": "#CC4C4CCC",
"cylinderPointColor": "#CC33CCCC",
"chunkBoundaryColour": "#33CC33CC",
"chunkGridColour": "#4CCCAA99"
}

3
config/yacl.json5 Normal file
View file

@ -0,0 +1,3 @@
{
showColorPickerIndicator: true
}

View file

@ -0,0 +1 @@
{"defaultSigningMode":"ON_DEMAND","enableMod":true,"showNCRButton":false,"showReloadButton":false,"verifiedIconEnabled":false,"showServerSafety":true,"hideInsecureMessageIndicators":true,"hideModifiedMessageIndicators":false,"hideSystemMessageIndicators":true,"hideWarningToast":true,"hideSigningRequestMessage":true,"alwaysHideReportButton":false,"skipRealmsWarning":true,"skipSigningWarning":true,"disableTelemetry":false,"removeTelemetryButton":false,"demandOnServer":false}

View file

@ -0,0 +1 @@
{"demandOnClient":false,"convertToGameMessage":true,"addQueryData":false,"enableDebugLog":false}

View file

@ -0,0 +1 @@
{"skipWarning":false,"enableEncryption":false,"encryptPublic":true,"showEncryptionButton":false,"showEncryptionIndicators":true}

View file

@ -0,0 +1 @@
{"PinningEnabled":false,"ShowAdvancementIDInDebugTooltip":false,"ShowDebugInfo":"ALWAYS","MaxCriterionEntries":6,"FadeOutBackgroundOnAdvancementHover":false,"SaveLastSelectedTab":false,"PinnedTabs":[],"LastSelectedTab":"","SpacingBetweenHorizontalTabs":4,"SpacingBetweenPinnedTabs":2}

View file

@ -0,0 +1 @@
{"clientCapeType":"MINECRAFTCAPES","enableOptifine":true,"enableLabyMod":false,"enableWynntils":true,"enableMinecraftCapesMod":true,"enableCosmetica":true,"enableCloaksPlus":false,"enableElytraTexture":true}

View file

@ -0,0 +1 @@
{"broken_paths":false}

View file

@ -0,0 +1 @@
{"last_seen_version": "2.0.0-beta.5+1.20.5-rc2","global":{"quiet_mode":true}}

View file

@ -0,0 +1 @@
{"MC-577":true,"MC-22882":true,"MC-59810":true,"MC-89146":true,"MC-90683":true,"MC-112730":true,"MC-122477":true,"MC-199467":true,"MC-235035":true,"MC-237493":true,"MC-263865":true,"opt_out_updater":true,"gameplay_fixes_in_multiplayer":false,"default_disabled":true}

View file

@ -0,0 +1 @@
{"idle":{"condition":"none"},"battery_tracker":{"notifications":false},"download_natives":false,"states":{"unfocused":{"run_garbage_collector":true},"invisible":{"run_garbage_collector":true},"unplugged":{"frame_rate_target":-1}}}

View file

@ -0,0 +1 @@
{"illegalPathSupportMode":"Entity","skinFeaturesEnabled":false,"skinFeaturesEnableTransparency":false,"hideConfigButton":true,"configButtonLoc":"OFF"}

View file

@ -0,0 +1,9 @@
custom_file_name=%time%_4K
hide_hud=false
override_screenshot_key=false
save_file=true
disable_gui_scaling=false
width=3840
height=2160
delay=3
file_format=PNG

View file

@ -0,0 +1,4 @@
renderSavingScreen = false
showToasts = false
showSavingTime = "FALSE"
allowMultipleServers = false

View file

@ -0,0 +1,3 @@
disableUpdateMessage=true
maxShadowRenderDistance=6
enableShaders=false

View file

@ -0,0 +1 @@
{"main_menu":{"bottom_right":[{"text":"Fabulously Optimized (broken install)","color":"red","clickEvent":{"action":"open_url","value":"https://fabulously-optimized.github.io/install"}}]}}

View file

@ -0,0 +1,8 @@
mode = "fastest"
[light_sources]
water_sensitive_check = false
block_entities = false
entities = false
self = true
tnt = "simple"
creeper = "simple"

View file

@ -0,0 +1 @@
{"config_screen_list":"FALSE"}

View file

@ -0,0 +1 @@
{"sorting":"ascending","count_libraries":false,"compact_list":false,"count_children":true,"mods_button_style":"shrink","game_menu_button_style":"insert","count_hidden_mods":false,"mod_count_location":"title_screen","hide_mod_links":false,"show_libraries":false,"hide_mod_license":true,"hide_badges":true,"hide_mod_credits":false,"easter_eggs":false,"random_java_colors":false,"translate_names":true,"translate_descriptions":true,"update_checker":false,"button_update_badge":false,"update_channel":"release","quick_configure":true,"modify_title_screen":true,"modify_game_menu":true,"hide_config_buttons":false,"config_mode":false,"disable_drag_and_drop":false,"hidden_mods":["minecraft","puzzle-models","puzzle-splashscreen","citresewn-defaults","indium","puzzle-gui","puzzle-base"],"hidden_configs":[],"disable_update_checker":[]}

View file

@ -0,0 +1,23 @@
version = 1
enableSodiumMenu = true
cloudCulling = true
signTextCulling = true
rainCulling = true
useBlockStateCulling = true
useCustomItemFrameRenderer = false
itemFrameMapCulling = true
useItemFrameLOD = true
itemFrameLODRange = 128
useItemFrame3FaceCulling = true
itemFrame3FaceCullingRange = 4.0
leavesCullingMode = "CHECK"
leavesCullingAmount = 2
includeMangroveRoots = true
powderSnowCulling = true
endGatewayCulling = true
beaconBeamCulling = true
entityModelCulling = false
useOnModdedBlocksByDefault = true
[modCompatibility]
minecraft = true

View file

@ -0,0 +1 @@
{"disabledIntegrations":["citresewn","continuity","entity_texture_features","iris","lambdynlights","entity_model_features"],"enablePuzzleButton":false,"debugMessages":false,"checkUpdates":false,"showPuzzleInfo":false}

View file

@ -0,0 +1,3 @@
animationSpeed = 500.0
aprilFool = "DISABLED"
hideOverlays = "RELOADING"

View file

@ -0,0 +1 @@
{"quality":{"weather_quality":"FAST"}}

23
config/yosbr/options.txt Normal file
View file

@ -0,0 +1,23 @@
version:3955
advancedItemTooltips:true
darkMojangStudiosBackground:true
enableVsync:false
guiScale:3
joinedFirstServer:true
maxFps:260
onboardAccessibility:false
operatorItemsTab:true
resourcePacks:["vanilla","fabric","continuity:glass_pane_culling_fix","continuity:default","file/SodiumTranslations.zip","file/Mod Menu Helper.zip","file/Chat Reporting Helper.zip","file/Fast Better Grass.zip"]
incompatibleResourcePacks:["modernfix","rrls","yet_another_config_lib_v3"]
simulationDistance:6
skipMultiplayerWarning:true
telemetryOptInExtra:false
tutorialStep:none
key_key.saveToolbarActivator:key.keyboard.unknown
key_zoomify.key.zoom:key.keyboard.c
key_zoomify.key.zoom.secondary:key.keyboard.unknown
key_iris.keybind.reload:key.keyboard.unknown
key_iris.keybind.toggleShaders:key.keyboard.unknown
key_iris.keybind.shaderPackSelection:key.keyboard.unknown
key_key.fabricskyboxes.toggle:key.keyboard.unknown
key_key.optigui.inspect:key.keyboard.unknown

26
config/zoomify.json Normal file
View file

@ -0,0 +1,26 @@
{
"initialZoom": 4,
"zoomInTime": 1.0,
"zoomOutTime": 0.5,
"zoomInTransition": "ease_out_exp",
"zoomOutTransition": "ease_out_exp",
"affectHandFov": true,
"retainZoomSteps": false,
"linearLikeSteps": true,
"scrollZoom": true,
"scrollZoomAmount": 3,
"scrollZoomSmoothness": 70,
"zoomKeyBehaviour": "hold",
"_keybindScrolling": false,
"relativeSensitivity": 100,
"relativeViewBobbing": true,
"cinematicCamera": 0,
"spyglassBehaviour": "combine",
"spyglassOverlayVisibility": "holding",
"spyglassSoundBehaviour": "with_overlay",
"secondaryZoomAmount": 4,
"secondaryZoomInTime": 10.0,
"secondaryZoomOutTime": 1.0,
"secondaryHideHUDOnZoom": true,
"_firstLaunch": false
}

316
index.toml Normal file
View file

@ -0,0 +1,316 @@
hash-format = "sha256"
[[files]]
file = "mods/animatica.pw.toml"
hash = "1415402796096191873c7197d2e2db4ac0694e0f5ad8840eb9369bd17063bf8b"
metafile = true
[[files]]
file = "mods/better-mount-hud.pw.toml"
hash = "3a677c931e9d8e685e655e4ad4dae6724422a175e401986b059df57e4c6bff5e"
metafile = true
[[files]]
file = "mods/capes.pw.toml"
hash = "cb4f203ddf6494506fa3930d4c3d39233f0ed26112789c21aed7584b0c6fb216"
metafile = true
[[files]]
file = "mods/cit-resewn.pw.toml"
hash = "3cb02b707264a7fdfa9705269187f973189cdebbfeb8dc44f2e4cba4d95c1e05"
metafile = true
[[files]]
file = "mods/cloth-config.pw.toml"
hash = "74ee87b2826bc5bd9064c545fe72f4a7f5b71b376343be465458a276d6fb25e9"
metafile = true
[[files]]
file = "mods/continuity.pw.toml"
hash = "82eb505b6fa6e805429b7049ca79a0278295fae65019259ce31fce12ead4d739"
metafile = true
[[files]]
file = "mods/controlify.pw.toml"
hash = "0ccc90524eb8b99a4150f498e80c1a7aed1dddded1e926a0b0c998f408c08116"
metafile = true
[[files]]
file = "mods/cubes-without-borders.pw.toml"
hash = "de56930c0a0aa17099db5c94121755fe4d1ddac1d71e0ddda488699ce2d23646"
metafile = true
[[files]]
file = "mods/debugify.pw.toml"
hash = "2c12a7e0b044424564523da35e77b69bf62784ff12ddeb02b38c2fa6c8d10255"
metafile = true
[[files]]
file = "mods/dynamic-fps.pw.toml"
hash = "acf3d72f3b376df1c7a2bb79af8c019b6ecebcd3b0892fe75dd6ac1f77d70c87"
metafile = true
[[files]]
file = "mods/e4mc.pw.toml"
hash = "3b243280f40137337037db41f60cf28b0d1494409b7a95d6e074232c069a4e77"
metafile = true
[[files]]
file = "mods/ears.pw.toml"
hash = "fd8e18996a3867824096ab2f583cd454f1ecb1b5a1779e59a78cecefbce177cb"
metafile = true
[[files]]
file = "mods/ebe.pw.toml"
hash = "bd02cc1b0ee4feea5c920bc2b3858ddb3c3d98ece259507169956fdabb54b759"
metafile = true
[[files]]
file = "mods/emi-enchanting.pw.toml"
hash = "26bd9780cfcceb69fb29838685c298424e3a1a4cdf9d788292bdf2b3d4ec3209"
metafile = true
[[files]]
file = "mods/emi-loot.pw.toml"
hash = "294d8897e2bf28ca1337c158318df5d72de142aa0fa766e1c15b8133b67b6571"
metafile = true
[[files]]
file = "mods/emi-ores.pw.toml"
hash = "0edd3922593a9cdf418ce0e657933a8036656c6c8bbe61f2a2fbfcdfa13ba933"
metafile = true
[[files]]
file = "mods/emi-professions-(emip).pw.toml"
hash = "ac57283add27271e2359ec0d00190c8903ab8930b4041f158d8c4b2c24eb578c"
metafile = true
[[files]]
file = "mods/emi.pw.toml"
hash = "0409fd9a904e38d573f6c64e8ccfdc2406d861f7404c3a6819841c5a2cd5da27"
metafile = true
[[files]]
file = "mods/entity-model-features.pw.toml"
hash = "43b2370739c27ffb41cafa34beba7bea732e4a5b914c7e8593bde2f31373f460"
metafile = true
[[files]]
file = "mods/entityculling.pw.toml"
hash = "9d214aba1366696907c363e95b5cb2ee630c529115ae0f8c79951c3223f9b777"
metafile = true
[[files]]
file = "mods/entitytexturefeatures.pw.toml"
hash = "c5aad1dc31650679bceca0b8cddeb6ff522bd2da2f32ff97c680b85f89b39271"
metafile = true
[[files]]
file = "mods/fabric-api.pw.toml"
hash = "6781d16eadeb0c3795428014f55979736795206072637df5a8ac9344a107d9db"
metafile = true
[[files]]
file = "mods/fabric-language-kotlin.pw.toml"
hash = "4ba200abff9eb95f9746a91e2e4d71aa0bacd10fd5050c461c066d663161596d"
metafile = true
[[files]]
file = "mods/fabricskyboxes-interop.pw.toml"
hash = "cb60a7f079facf39b42916157e131c44c8933b7392802016458572ffc772d56b"
metafile = true
[[files]]
file = "mods/fabricskyboxes.pw.toml"
hash = "37c1b0abef754411dabb83686b3d7a9817a787f1081929c712c5fd334e49cb0c"
metafile = true
[[files]]
file = "mods/fabrishot.pw.toml"
hash = "d3decd71a7d30c7f683fea0ed229644457c45c21c7d7d365f46dc71c435f7366"
metafile = true
[[files]]
file = "mods/fastquit.pw.toml"
hash = "1f58847ba7801913980270ecde2e77a13ec19d9db42c26b58fb641f87b5d5a5c"
metafile = true
[[files]]
file = "mods/ferrite-core.pw.toml"
hash = "89ca14036b7f3a0a23dcab9d81c68fd95504a5f75460b3f6630b0f5abbd76835"
metafile = true
[[files]]
file = "mods/fzzy-config.pw.toml"
hash = "e6fd7551e532657edc04408839177e772b70e7a8c134220bca5fc19cf5cc223e"
metafile = true
[[files]]
file = "mods/immediatelyfast.pw.toml"
hash = "640368849b24d67bde16935a6c360da557efa8fd4c2ed43d01fcccad61c7f44f"
metafile = true
[[files]]
file = "mods/indium.pw.toml"
hash = "c24487e5fe25bb6377956bccd5ac7087981e555398462d77be930093c077a7d2"
metafile = true
[[files]]
file = "mods/iris.pw.toml"
hash = "e16a6442391c1989dccdcbe100e13063a043caef70b13ab4e37a11a7861cb497"
metafile = true
[[files]]
file = "mods/jade-addons-fabric.pw.toml"
hash = "38f6098867dd763108675f57aaee0030e5aa06e78796d41b051e940ebb708143"
metafile = true
[[files]]
file = "mods/jade.pw.toml"
hash = "b8a5d95cd64b63213a0993711f11f3c4a4811c9208d98b3c4b44640ae02cba29"
metafile = true
[[files]]
file = "mods/journeymap-integration.pw.toml"
hash = "4d3e365360a7f56451dfe8deed64727f9b390cbf18219382f71b9c3390f377d5"
metafile = true
[[files]]
file = "mods/journeymap.pw.toml"
hash = "0358429eb99e7673d7f50f4e41588ad4c0a7a879d012881e491c664d3bb3c659"
metafile = true
[[files]]
file = "mods/justenoughbreeding.pw.toml"
hash = "f25fb7a73a191f0c9b1048ca404fbaf136ccb13401fd19c2dc4d7a8e9c74ecff"
metafile = true
[[files]]
file = "mods/lambdynamiclights.pw.toml"
hash = "ac504109545d06bf91471b5f59a0a7f8d0665f0b4d3ed3358ec8a89f3a829dfd"
metafile = true
[[files]]
file = "mods/language-reload.pw.toml"
hash = "034e816b9191dadd607055c82e0873232057dab297c1090c9368f59f09d4ec3f"
metafile = true
[[files]]
file = "mods/lithium.pw.toml"
hash = "fd902023333e13ae8e97a2a85d8732d6e60bc5479274d2308193c469d995fb84"
metafile = true
[[files]]
file = "mods/main-menu-credits.pw.toml"
hash = "da68a4a8c12a43ef9e7bd9342aca5efc25eb30893f259de0252104703ffdb6d6"
metafile = true
[[files]]
file = "mods/mixintrace.pw.toml"
hash = "ecb941ddf9f784a8bb352b1b723a505af261647c1e80e81a5c5282d76eaf44de"
metafile = true
[[files]]
file = "mods/modelfix.pw.toml"
hash = "aef54b046be6a4b7f56e71ae88a883e352b4c9e65fa864535dd0472fc5a85302"
metafile = true
[[files]]
file = "mods/modernfix.pw.toml"
hash = "9abda42aeb9db014ce086609ad3f268af23f5458c9612e367b123462085babda"
metafile = true
[[files]]
file = "mods/modmenu.pw.toml"
hash = "e30fd5a8a502fb65f546f018b9e9ea1f94a48e3fd98ba5a16468cd0d093c3798"
metafile = true
[[files]]
file = "mods/morechathistory.pw.toml"
hash = "a3b3d5cb4a54a7b28d0feb3c3a84e1d1e08540623f470f77073837f1aef4ab7c"
metafile = true
[[files]]
file = "mods/moreculling.pw.toml"
hash = "7132e2ef7edaea825203b4cddce49d4c932e373af04906f42b1945add2f1cd1e"
metafile = true
[[files]]
file = "mods/no-chat-reports.pw.toml"
hash = "0ef6eb93573069c314192f29643d86fcdd4882b10540e9ff4abd3a5b85495a55"
metafile = true
[[files]]
file = "mods/optigui.pw.toml"
hash = "adcd1eb0c6542a1f91526fc4cfee4f2ceee8b02801b6f7d69ce5ce9f96671b81"
metafile = true
[[files]]
file = "mods/paginatedadvancements.pw.toml"
hash = "cddc276ab6e082e4077aeb27dc96660a7a4cb4a04891842b5f845a0aadd1fedd"
metafile = true
[[files]]
file = "mods/polydex-bridge.pw.toml"
hash = "f16b72105fe4ae9a14bdffd37d42ccf9c2c1c17d16a74ab13e0cc775a95999b7"
metafile = true
[[files]]
file = "mods/polydex.pw.toml"
hash = "c3c5c109c1166c6d51c85805d1e3a73180526b36b58813589dc4c0134f6a4835"
metafile = true
[[files]]
file = "mods/polymer.pw.toml"
hash = "f715ef01f246cd82fd6533ab8f9239076d6b63956601183a555e2df090babd68"
metafile = true
[[files]]
file = "mods/polytone.pw.toml"
hash = "38e0d09198e2b89661dfada3ee990f41e128ac5d27a1a7af6adc750cc81e348b"
metafile = true
[[files]]
file = "mods/puzzle.pw.toml"
hash = "998017e24dbd38f938170838080ca7008589cdb6db8262236548a9216b0ef1e4"
metafile = true
[[files]]
file = "mods/reeses-sodium-options.pw.toml"
hash = "e9133c80c483d4741651144ded2937be8454d673f08a720ce568c89c0050345e"
metafile = true
[[files]]
file = "mods/rrls.pw.toml"
hash = "3d54ff3eba6f860a2f46e75924461beb58130581e7a0be3b677d3cb8f22c1623"
metafile = true
[[files]]
file = "mods/sodium-extra.pw.toml"
hash = "6db5630aba9b540b81f9892d91fd26c1a1a9b988e3c475fdad553cfe6a2fedd4"
metafile = true
[[files]]
file = "mods/sodium.pw.toml"
hash = "97b1e671200490832c505879f0cb23f04c0d12a610abab9d5da2a63a62d37688"
metafile = true
[[files]]
file = "mods/yacl.pw.toml"
hash = "c2d31b32a248d7d7a263e6f3993c5eb0fe3a706aacc01ab57373759be5012876"
metafile = true
[[files]]
file = "mods/yosbr.pw.toml"
hash = "f87cccd4709b1b0c0e038ffb2c9213e226664f417205fad15a81cc0f4a3b4a59"
metafile = true
[[files]]
file = "mods/your-reputation-jade.pw.toml"
hash = "c3cca69e65116cacf76d15f85ca2bc3ab0f2db7da2a5a6208519ab4edb6ad5a0"
metafile = true
[[files]]
file = "mods/zoomify.pw.toml"
hash = "b857917bf7183295a34e0c233f0ff992383c7ed4e49db04a7ee97d6122a654ee"
metafile = true

16
mods/animatica.pw.toml Normal file
View file

@ -0,0 +1,16 @@
filename = 'animatica-0.6.1+1.21.jar'
name = 'Animatica'
side = 'client'
x-prismlauncher-loaders = [ 'fabric', 'quilt' ]
x-prismlauncher-mc-versions = [ '1.21' ]
x-prismlauncher-release-type = 'release'
[download]
hash = 'd8cba8839c2ed329f32f63978e431a75b4e72e506282cf49d151a43302915524c50edbd29af2f5247f479d7456b074011bd768efbd0f4ece311c6e0e2ee0de3c'
hash-format = 'sha512'
mode = 'url'
url = 'https://cdn.modrinth.com/data/PRN43VSY/versions/LHBm6fEV/animatica-0.6.1%2B1.21.jar'
[update.modrinth]
mod-id = 'PRN43VSY'
version = 'LHBm6fEV'

View file

@ -0,0 +1,16 @@
filename = 'bettermounthud-1.2.4.jar'
name = 'Better Mount HUD'
side = 'client'
x-prismlauncher-loaders = [ 'fabric' ]
x-prismlauncher-mc-versions = [ '1.21', '1.21.1' ]
x-prismlauncher-release-type = 'release'
[download]
hash = 'b7cc352f97392ee3eed340d8ee148d9c9d5bef4397767085c7499adf4c656585bf4f5841e1057e44de9b2b70d577cbee7a411c0d8cd8059cd4edb4f7c4bfa51a'
hash-format = 'sha512'
mode = 'url'
url = 'https://cdn.modrinth.com/data/kqJFAPU9/versions/yyJushgo/bettermounthud-1.2.4.jar'
[update.modrinth]
mod-id = 'kqJFAPU9'
version = 'yyJushgo'

16
mods/capes.pw.toml Normal file
View file

@ -0,0 +1,16 @@
filename = 'capes-1.5.4+1.21-fabric.jar'
name = 'Capes'
side = 'client'
x-prismlauncher-loaders = [ 'fabric' ]
x-prismlauncher-mc-versions = [ '1.21', '1.21.1' ]
x-prismlauncher-release-type = 'release'
[download]
hash = '8cd91182feec18a41412d6a8ad5311f730d881c30959aeb80eddf993c7930200758d0f4f1676dcbced7d315c124a0c02137f997c998a4912dd1a10a6a33664af'
hash-format = 'sha512'
mode = 'url'
url = 'https://cdn.modrinth.com/data/89Wsn8GD/versions/6SzVPVR4/capes-1.5.4%2B1.21-fabric.jar'
[update.modrinth]
mod-id = '89Wsn8GD'
version = '6SzVPVR4'

16
mods/cit-resewn.pw.toml Normal file
View file

@ -0,0 +1,16 @@
filename = 'citresewn-1.2.2+1.21.jar'
name = 'CIT Resewn'
side = 'client'
x-prismlauncher-loaders = [ 'fabric' ]
x-prismlauncher-mc-versions = [ '1.21', '1.21.1' ]
x-prismlauncher-release-type = 'beta'
[download]
hash = '24338b35423798b3d842025d2a8725b980980b7ccb168b876e21ea1d4067ecba3f67918b0d6b8b332128841ab6cbe2c2d3fd408c0dd36eeeb36cb76a875c442a'
hash-format = 'sha512'
mode = 'url'
url = 'https://cdn.modrinth.com/data/otVJckYQ/versions/JUnP9V1A/citresewn-1.2.2%2B1.21.jar'
[update.modrinth]
mod-id = 'otVJckYQ'
version = 'JUnP9V1A'

16
mods/cloth-config.pw.toml Normal file
View file

@ -0,0 +1,16 @@
filename = 'cloth-config-15.0.140-fabric.jar'
name = 'Cloth Config API'
side = 'both'
x-prismlauncher-loaders = [ 'fabric' ]
x-prismlauncher-mc-versions = [ '1.21', '1.21.1' ]
x-prismlauncher-release-type = 'release'
[download]
hash = '1b3f5db4fc1d481704053db9837d530919374bf7518d7cede607360f0348c04fc6347a3a72ccfef355559e1f4aef0b650cd58e5ee79c73b12ff0fc2746797a00'
hash-format = 'sha512'
mode = 'url'
url = 'https://cdn.modrinth.com/data/9s6osm5g/versions/HpMb5wGb/cloth-config-15.0.140-fabric.jar'
[update.modrinth]
mod-id = '9s6osm5g'
version = 'HpMb5wGb'

Some files were not shown because too many files have changed in this diff Show more