diff --git a/1.5/Assemblies/0DubCore.dll b/1.5/Assemblies/0DubCore.dll
new file mode 100644
index 0000000..fc86bbd
Binary files /dev/null and b/1.5/Assemblies/0DubCore.dll differ
diff --git a/1.5/Assemblies/0Harmony.dll b/1.5/Assemblies/0Harmony.dll
new file mode 100644
index 0000000..86fc5eb
Binary files /dev/null and b/1.5/Assemblies/0Harmony.dll differ
diff --git a/1.5/Assemblies/0Harmony.xml b/1.5/Assemblies/0Harmony.xml
new file mode 100644
index 0000000..f1b9b4c
--- /dev/null
+++ b/1.5/Assemblies/0Harmony.xml
@@ -0,0 +1,3693 @@
+
+
+
+ 0Harmony
+
+
+
+ A factory to create delegate types
+
+
+ Default constructor
+
+
+ Creates a delegate type for a method
+ The method
+ The new delegate type
+
+
+
+ A getter delegate type
+ Type that getter gets field/property value from
+ Type of the value that getter gets
+ The instance get getter uses
+ An delegate
+
+
+
+ A setter delegate type
+ Type that setter sets field/property value for
+ Type of the value that setter sets
+ The instance the setter uses
+ The value the setter uses
+ An delegate
+
+
+
+ A constructor delegate type
+ Type that constructor creates
+ An delegate
+
+
+
+ A helper class for fast access to getters and setters
+
+
+ Creates an instantiation delegate
+ Type that constructor creates
+ The new instantiation delegate
+
+
+
+ Creates an getter delegate for a property
+ Type that getter reads property from
+ Type of the property that gets accessed
+ The property
+ The new getter delegate
+
+
+
+ Creates an getter delegate for a field
+ Type that getter reads field from
+ Type of the field that gets accessed
+ The field
+ The new getter delegate
+
+
+
+ Creates an getter delegate for a field (with a list of possible field names)
+ Type that getter reads field/property from
+ Type of the field/property that gets accessed
+ A list of possible field names
+ The new getter delegate
+
+
+
+ Creates an setter delegate
+ Type that setter assigns property value to
+ Type of the property that gets assigned
+ The property
+ The new setter delegate
+
+
+
+ Creates an setter delegate for a field
+ Type that setter assigns field value to
+ Type of the field that gets assigned
+ The field
+ The new getter delegate
+
+
+
+ A delegate to invoke a method
+ The instance
+ The method parameters
+ The method result
+
+
+ A helper class to invoke method with delegates
+
+
+ Creates a fast invocation handler from a method
+ The method to invoke
+ Controls if boxed value object is accessed/updated directly
+ The
+
+
+ The directBoxValueAccess option controls how value types passed by reference (e.g. ref int, out my_struct) are handled in the arguments array
+ passed to the fast invocation handler.
+ Since the arguments array is an object array, any value types contained within it are actually references to a boxed value object.
+ Like any other object, there can be other references to such boxed value objects, other than the reference within the arguments array.
+ For example,
+
+ var val = 5;
+ var box = (object)val;
+ var arr = new object[] { box };
+ handler(arr); // for a method with parameter signature: ref/out/in int
+
+
+
+
+ If directBoxValueAccess is true, the boxed value object is accessed (and potentially updated) directly when the handler is called,
+ such that all references to the boxed object reflect the potentially updated value.
+ In the above example, if the method associated with the handler updates the passed (boxed) value to 10, both box and arr[0]
+ now reflect the value 10. Note that the original val is not updated, since boxing always copies the value into the new boxed value object.
+
+
+ If directBoxValueAccess is false (default), the boxed value object in the arguments array is replaced with a "reboxed" value object,
+ such that potential updates to the value are reflected only in the arguments array.
+ In the above example, if the method associated with the handler updates the passed (boxed) value to 10, only arr[0] now reflects the value 10.
+
+
+
+
+ A low level memory helper
+
+
+
+ Mark method for no inlining (currently only works on Mono)
+ The method/constructor to change
+
+
+
+ Detours a method
+ The original method/constructor
+ The replacement method/constructor
+ An error string
+
+
+
+ Writes a jump to memory
+ The memory address
+ Jump destination
+ An error string
+
+
+
+ Gets the start of a method in memory
+ The method/constructor
+ [out] Details of the exception
+ The method start address
+
+
+
+ special parameter names that can be used in prefix and postfix methods
+
+
+ Patch function helpers
+
+
+ Sorts patch methods by their priority rules
+ The original method
+ Patches to sort
+ Use debug mode
+ The sorted patch methods
+
+
+
+ Creates new replacement method with the latest patches and detours the original method
+ The original method
+ Information describing the patches
+ The newly created replacement method
+
+
+
+ Creates a patch sorter
+ Array of patches that will be sorted
+ Use debugging
+
+
+ Sorts internal PatchSortingWrapper collection and caches the results.
+ After first run the result is provided from the cache.
+ The original method
+ The sorted patch methods
+
+
+ Checks if the sorter was created with the same patch list and as a result can be reused to
+ get the sorted order of the patches.
+ List of patches to check against
+ true if equal
+
+
+ Removes one unresolved dependency from the least important patch.
+
+
+ Outputs all unblocked patches from the waiting list to results list
+
+
+ Adds patch to both results list and handled patches set
+ Patch to add
+
+
+ Wrapper used over the Patch object to allow faster dependency access and
+ dependency removal in case of cyclic dependencies
+
+
+ Create patch wrapper object used for sorting
+ Patch to wrap
+
+
+ Determines how patches sort
+ The other patch
+ integer to define sort order (-1, 0, 1)
+
+
+ Determines whether patches are equal
+ The other patch
+ true if equal
+
+
+ Hash function
+ A hash code
+
+
+ Bidirectionally registers Patches as after dependencies
+ List of dependencies to register
+
+
+ Bidirectionally registers Patches as before dependencies
+ List of dependencies to register
+
+
+ Bidirectionally removes Patch from after dependencies
+ Patch to remove
+
+
+ Bidirectionally removes Patch from before dependencies
+ Patch to remove
+
+
+ Specifies the type of method
+
+
+
+ This is a normal method
+
+
+ This is a getter
+
+
+ This is a setter
+
+
+ This is a constructor
+
+
+ This is a static constructor
+
+
+ This targets the MoveNext method of the enumerator result
+
+
+ Specifies the type of argument
+
+
+
+ This is a normal argument
+
+
+ This is a reference argument (ref)
+
+
+ This is an out argument (out)
+
+
+ This is a pointer argument (&)
+
+
+ Specifies the type of patch
+
+
+
+ Any patch
+
+
+ A prefix patch
+
+
+ A postfix patch
+
+
+ A transpiler
+
+
+ A finalizer
+
+
+ A reverse patch
+
+
+ Specifies the type of reverse patch
+
+
+
+ Use the unmodified original method (directly from IL)
+
+
+ Use the original as it is right now including previous patches but excluding future ones
+
+
+ Specifies the type of method call dispatching mechanics
+
+
+
+ Call the method using dynamic dispatching if method is virtual (including overriden)
+
+
+ This is the built-in form of late binding (a.k.a. dynamic binding) and is the default dispatching mechanic in C#.
+ This directly corresponds with the instruction.
+
+
+ For virtual (including overriden) methods, the instance type's most-derived/overriden implementation of the method is called.
+ For non-virtual (including static) methods, same behavior as : the exact specified method implementation is called.
+
+
+ Note: This is not a fully dynamic dispatch, since non-virtual (including static) methods are still called non-virtually.
+ A fully dynamic dispatch in C# involves using
+ the dynamic type
+ (actually a fully dynamic binding, since even the name and overload resolution happens at runtime), which does not support.
+
+
+
+
+ Call the method using static dispatching, regardless of whether method is virtual (including overriden) or non-virtual (including static)
+
+
+ a.k.a. non-virtual dispatching, early binding, or static binding.
+ This directly corresponds with the instruction.
+
+
+ For both virtual (including overriden) and non-virtual (including static) methods, the exact specified method implementation is called, without virtual/override mechanics.
+
+
+
+
+ The base class for all Harmony annotations (not meant to be used directly)
+
+
+
+ The common information for all attributes
+
+
+ Annotation to define your Harmony patch methods
+
+
+
+ An empty annotation can be used together with TargetMethod(s)
+
+
+
+ An annotation that specifies a class to patch
+ The declaring class/type
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The argument types of the method or constructor to patch
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+ Array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The
+ An array of argument types to target overloads
+ Array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+ The
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+ An array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+ The
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The
+ An array of argument types to target overloads
+ An array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ An array of argument types to target overloads
+ An array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The full name of the declaring class/type
+ The name of the method, property or constructor to patch
+ The
+
+
+
+ Annotation to define the original method for delegate injection
+
+
+
+ An annotation that specifies a class to patch
+ The declaring class/type
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The argument types of the method or constructor to patch
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+ Array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The
+ An array of argument types to target overloads
+ Array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The declaring class/type
+ The name of the method, property or constructor to patch
+ The
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+ An array of argument types to target overloads
+ An array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The name of the method, property or constructor to patch
+ The
+
+
+
+ An annotation that specifies call dispatching mechanics for the delegate
+ The
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ The
+ An array of argument types to target overloads
+ An array of
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ An array of argument types to target overloads
+
+
+
+ An annotation that specifies a method, property or constructor to patch
+ An array of argument types to target overloads
+ An array of
+
+
+
+ Annotation to define your standin methods for reverse patching
+
+
+
+ An annotation that specifies the type of reverse patching
+ The of the reverse patch
+
+
+
+ A Harmony annotation to define that all methods in a class are to be patched
+
+
+
+ A Harmony annotation
+
+
+
+ A Harmony annotation to define patch priority
+ The priority
+
+
+
+ A Harmony annotation
+
+
+
+ A Harmony annotation to define that a patch comes before another patch
+ The array of harmony IDs of the other patches
+
+
+
+ A Harmony annotation
+
+
+ A Harmony annotation to define that a patch comes after another patch
+ The array of harmony IDs of the other patches
+
+
+
+ A Harmony annotation
+
+
+ A Harmony annotation to debug a patch (output uses to log to your Desktop)
+
+
+
+ Specifies the Prepare function in a patch class
+
+
+
+ Specifies the Cleanup function in a patch class
+
+
+
+ Specifies the TargetMethod function in a patch class
+
+
+
+ Specifies the TargetMethods function in a patch class
+
+
+
+ Specifies the Prefix function in a patch class
+
+
+
+ Specifies the Postfix function in a patch class
+
+
+
+ Specifies the Transpiler function in a patch class
+
+
+
+ Specifies the Finalizer function in a patch class
+
+
+
+ A Harmony annotation
+
+
+
+ The name of the original argument
+
+
+
+ The index of the original argument
+
+
+
+ The new name of the original argument
+
+
+
+ An annotation to declare injected arguments by name
+
+
+
+ An annotation to declare injected arguments by index
+ Zero-based index
+
+
+
+ An annotation to declare injected arguments by renaming them
+ Name of the original argument
+ New name
+
+
+
+ An annotation to declare injected arguments by index and renaming them
+ Zero-based index
+ New name
+
+
+
+ An abstract wrapper around OpCode and their operands. Used by transpilers
+
+
+
+ The opcode
+
+
+
+ The operand
+
+
+
+ All labels defined on this instruction
+
+
+
+ All exception block boundaries defined on this instruction
+
+
+
+ Creates a new CodeInstruction with a given opcode and optional operand
+ The opcode
+ The operand
+
+
+
+ Create a full copy (including labels and exception blocks) of a CodeInstruction
+ The to copy
+
+
+
+ Clones a CodeInstruction and resets its labels and exception blocks
+ A lightweight copy of this code instruction
+
+
+
+ Clones a CodeInstruction, resets labels and exception blocks and sets its opcode
+ The opcode
+ A copy of this CodeInstruction with a new opcode
+
+
+
+ Clones a CodeInstruction, resets labels and exception blocks and sets its operand
+ The operand
+ A copy of this CodeInstruction with a new operand
+
+
+
+ Creates a CodeInstruction calling a method (CALL)
+ The class/type where the method is declared
+ The name of the method (case sensitive)
+ Optional parameters to target a specific overload of the method
+ Optional list of types that define the generic version of the method
+ A code instruction that calls the method matching the arguments
+
+
+
+ Creates a CodeInstruction calling a method (CALL)
+ The target method in the form TypeFullName:MethodName, where the type name matches a form recognized by Type.GetType like Some.Namespace.Type.
+ Optional parameters to target a specific overload of the method
+ Optional list of types that define the generic version of the method
+ A code instruction that calls the method matching the arguments
+
+
+
+ Creates a CodeInstruction calling a method (CALL)
+ The lambda expression using the method
+
+
+
+
+ Creates a CodeInstruction calling a method (CALL)
+ The lambda expression using the method
+
+
+
+
+ Creates a CodeInstruction calling a method (CALL)
+ The lambda expression using the method
+
+
+
+
+ Creates a CodeInstruction calling a method (CALL)
+ The lambda expression using the method
+
+
+
+
+ Returns an instruction to call the specified closure
+ The delegate type to emit
+ The closure that defines the method to call
+ A that calls the closure as a method
+
+
+
+ Creates a CodeInstruction loading a field (LD[S]FLD[A])
+ The class/type where the field is defined
+ The name of the field (case sensitive)
+ Use address of field
+
+
+
+ Creates a CodeInstruction storing to a field (ST[S]FLD)
+ The class/type where the field is defined
+ The name of the field (case sensitive)
+
+
+
+ Returns a string representation of the code instruction
+ A string representation of the code instruction
+
+
+
+ Exception block types
+
+
+
+ The beginning of an exception block
+
+
+
+ The beginning of a catch block
+
+
+
+ The beginning of an except filter block (currently not supported to use in a patch)
+
+
+
+ The beginning of a fault block
+
+
+
+ The beginning of a finally block
+
+
+
+ The end of an exception block
+
+
+
+ An exception block
+
+
+
+ Block type
+
+
+
+ Catch type
+
+
+
+ Creates an exception block
+ The
+ The catch type
+
+
+
+ The Harmony instance is the main entry to Harmony. After creating one with an unique identifier, it is used to patch and query the current application domain
+
+
+
+ The unique identifier
+
+
+
+ Set to true before instantiating Harmony to debug Harmony or use an environment variable to set HARMONY_DEBUG to '1' like this: cmd /C "set HARMONY_DEBUG=1 && game.exe"
+ This is for full debugging. To debug only specific patches, use the attribute
+
+
+
+ Creates a new Harmony instance
+ A unique identifier (you choose your own)
+ A Harmony instance
+
+
+
+ Searches the current assembly for Harmony annotations and uses them to create patches
+ This method can fail to use the correct assembly when being inlined. It calls StackTrace.GetFrame(1) which can point to the wrong method/assembly. If you are unsure or run into problems, use PatchAll(Assembly.GetExecutingAssembly()) instead.
+
+
+
+ Creates a empty patch processor for an original method
+ The original method/constructor
+ A new instance
+
+
+
+ Creates a patch class processor from an annotated class
+ The class/type
+ A new instance
+
+
+
+ Creates a reverse patcher for one of your stub methods
+ The original method/constructor
+ The stand-in stub method as
+ A new instance
+
+
+
+ Searches an assembly for Harmony annotations and uses them to create patches
+ The assembly
+
+
+
+ Creates patches by manually specifying the methods
+ The original method/constructor
+ An optional prefix method wrapped in a object
+ An optional postfix method wrapped in a object
+ An optional transpiler method wrapped in a object
+ An optional finalizer method wrapped in a object
+ The replacement method that was created to patch the original method
+
+
+
+ Patches a foreign method onto a stub method of yours and optionally applies transpilers during the process
+ The original method/constructor you want to duplicate
+ Your stub method as that will become the original. Needs to have the correct signature (either original or whatever your transpilers generates)
+ An optional transpiler as method that will be applied during the process
+ The replacement method that was created to patch the stub method
+
+
+
+ Unpatches methods by patching them with zero patches. Fully unpatching is not supported. Be careful, unpatching is global
+ The optional Harmony ID to restrict unpatching to a specific Harmony instance
+ This method could be static if it wasn't for the fact that unpatching creates a new replacement method that contains your harmony ID
+
+
+
+ Unpatches a method by patching it with zero patches. Fully unpatching is not supported. Be careful, unpatching is global
+ The original method/constructor
+ The
+ The optional Harmony ID to restrict unpatching to a specific Harmony instance
+
+
+
+ Unpatches a method by patching it with zero patches. Fully unpatching is not supported. Be careful, unpatching is global
+ The original method/constructor
+ The patch method as method to remove
+
+
+
+ Test for patches from a specific Harmony ID
+ The Harmony ID
+ True if patches for this ID exist
+
+
+
+ Gets patch information for a given original method
+ The original method/constructor
+ The patch information as
+
+
+
+ Gets the methods this instance has patched
+ An enumeration of original methods/constructors
+
+
+
+ Gets all patched original methods in the appdomain
+ An enumeration of patched original methods/constructors
+
+
+
+ Gets the original method from a given replacement method
+ A replacement method, for example from a stacktrace
+ The original method/constructor or null if not found
+
+
+
+ Tries to get the method from a stackframe including dynamic replacement methods
+ The
+ For normal frames, frame.GetMethod() is returned. For frames containing patched methods, the replacement method is returned or null if no method can be found
+
+
+
+ Gets the original method from the stackframe and uses original if method is a dynamic replacement
+ The
+ The original method from that stackframe
+
+
+ Gets Harmony version for all active Harmony instances
+ [out] The current Harmony version
+ A dictionary containing assembly versions keyed by Harmony IDs
+
+
+
+ Under Mono, HarmonyException wraps IL compile errors with detailed information about the failure
+
+
+
+ Default serialization constructor (not implemented)
+ The info
+ The context
+
+
+
+ Get a list of IL instructions in pairs of offset+code
+ A list of key/value pairs which represent an offset and the code at that offset
+
+
+
+ Get a list of IL instructions without offsets
+ A list of
+
+
+
+ Get the error offset of the errornous IL instruction
+ The offset
+
+
+
+ Get the index of the errornous IL instruction
+ The index into the list of instructions or -1 if not found
+
+
+
+ A wrapper around a method to use it as a patch (for example a Prefix)
+
+
+
+ The original method
+
+
+
+ Class/type declaring this patch
+
+
+
+ Patch method name
+
+
+
+ Optional patch
+
+
+
+ Array of argument types of the patch method
+
+
+
+ of the patch
+
+
+
+ Install this patch before patches with these Harmony IDs
+
+
+
+ Install this patch after patches with these Harmony IDs
+
+
+
+ Reverse patch type, see
+
+
+
+ Create debug output for this patch
+
+
+
+ Whether to use (true) or (false) mechanics
+ for -attributed delegate
+
+
+
+ Default constructor
+
+
+
+ Creates a patch from a given method
+ The original method
+
+
+
+ Creates a patch from a given method
+ The original method
+ The patch
+ A list of harmony IDs that should come after this patch
+ A list of harmony IDs that should come before this patch
+ Set to true to generate debug output
+
+
+
+ Creates a patch from a given method
+ The patch class/type
+ The patch method name
+ The optional argument types of the patch method (for overloaded methods)
+
+
+
+ Gets the names of all internal patch info fields
+ A list of field names
+
+
+
+ Merges annotations
+ The list of to merge
+ The merged
+
+
+
+ Returns a string that represents the annotation
+ A string representation
+
+
+
+ Annotation extensions
+
+
+
+ Copies annotation information
+ The source
+ The destination
+
+
+
+ Clones an annotation
+ The to clone
+ A copied
+
+
+
+ Merges annotations
+ The master
+ The detail
+ A new, merged
+
+
+
+ Gets all annotations on a class/type
+ The class/type
+ A list of all
+
+
+
+ Gets merged annotations on a class/type
+ The class/type
+ The merged
+
+
+
+ Gets all annotations on a method
+ The method/constructor
+ A list of
+
+
+
+ Gets merged annotations on a method
+ The method/constructor
+ The merged
+
+
+
+
+ A mutable representation of an inline signature, similar to Mono.Cecil's CallSite.
+ Used by the calli instruction, can be used by transpilers
+
+
+
+
+ See
+
+
+
+ See
+
+
+
+ See
+
+
+
+ The list of all parameter types or function pointer signatures received by the call site
+
+
+
+ The return type or function pointer signature returned by the call site
+
+
+
+ Returns a string representation of the inline signature
+ A string representation of the inline signature
+
+
+
+
+ A mutable representation of a parameter type with an attached type modifier,
+ similar to Mono.Cecil's OptionalModifierType / RequiredModifierType and C#'s modopt / modreq
+
+
+
+
+ Whether this is a modopt (optional modifier type) or a modreq (required modifier type)
+
+
+
+ The modifier type attached to the parameter type
+
+
+
+ The modified parameter type
+
+
+
+ Returns a string representation of the modifier type
+ A string representation of the modifier type
+
+
+
+ Patch serialization
+
+
+
+ Control the binding of a serialized object to a type
+ Specifies the assembly name of the serialized object
+ Specifies the type name of the serialized object
+ The type of the object the formatter creates a new instance of
+
+
+
+ Serializes a patch info
+ The
+ The serialized data
+
+
+
+ Deserialize a patch info
+ The serialized data
+ A
+
+
+
+ Compare function to sort patch priorities
+ The patch
+ Zero-based index
+ The priority
+ A standard sort integer (-1, 0, 1)
+
+
+
+ Serializable patch information
+
+
+
+ Prefixes as an array of
+
+
+
+ Postfixes as an array of
+
+
+
+ Transpilers as an array of
+
+
+
+ Finalizers as an array of
+
+
+
+ Returns if any of the patches wants debugging turned on
+
+
+
+ Adds prefixes
+ An owner (Harmony ID)
+ The patch methods
+
+
+
+ Adds a prefix
+
+
+ Removes prefixes
+ The owner of the prefixes, or * for all
+
+
+
+ Adds postfixes
+ An owner (Harmony ID)
+ The patch methods
+
+
+
+ Adds a postfix
+
+
+ Removes postfixes
+ The owner of the postfixes, or * for all
+
+
+
+ Adds transpilers
+ An owner (Harmony ID)
+ The patch methods
+
+
+
+ Adds a transpiler
+
+
+ Removes transpilers
+ The owner of the transpilers, or * for all
+
+
+
+ Adds finalizers
+ An owner (Harmony ID)
+ The patch methods
+
+
+
+ Adds a finalizer
+
+
+ Removes finalizers
+ The owner of the finalizers, or * for all
+
+
+
+ Removes a patch using its method
+ The method of the patch to remove
+
+
+
+ Gets a concatenated list of patches
+ The Harmony instance ID adding the new patches
+ The patches to add
+ The current patches
+
+
+
+ Gets a list of patches with any from the given owner removed
+ The owner of the methods, or * for all
+ The current patches
+
+
+
+ A serializable patch
+
+
+
+ Zero-based index
+
+
+
+ The owner (Harmony ID)
+
+
+
+ The priority, see
+
+
+
+ Keep this patch before the patches indicated in the list of Harmony IDs
+
+
+
+ Keep this patch after the patches indicated in the list of Harmony IDs
+
+
+
+ A flag that will log the replacement method via every time this patch is used to build the replacement, even in the future
+
+
+
+ The method of the static patch method
+
+
+
+ Creates a patch
+ The method of the patch
+ Zero-based index
+ An owner (Harmony ID)
+ The priority, see
+ A list of Harmony IDs for patches that should run after this patch
+ A list of Harmony IDs for patches that should run before this patch
+ A flag that will log the replacement method via every time this patch is used to build the replacement, even in the future
+
+
+
+ Creates a patch
+ The method of the patch
+ Zero-based index
+ An owner (Harmony ID)
+
+
+ Get the patch method or a DynamicMethod if original patch method is a patch factory
+ The original method/constructor
+ The method of the patch
+
+
+
+ Determines whether patches are equal
+ The other patch
+ true if equal
+
+
+
+ Determines how patches sort
+ The other patch
+ integer to define sort order (-1, 0, 1)
+
+
+
+ Hash function
+ A hash code
+
+
+
+ A PatchClassProcessor used to turn on a class/type into patches
+
+
+
+ Creates a patch class processor by pointing out a class. Similar to PatchAll() but without searching through all classes.
+ The Harmony instance
+ The class to process (need to have at least a [HarmonyPatch] attribute)
+
+
+
+ Applies the patches
+ A list of all created replacement methods or null if patch class is not annotated
+
+
+
+ A group of patches
+
+
+
+ A collection of prefix
+
+
+
+ A collection of postfix
+
+
+
+ A collection of transpiler
+
+
+
+ A collection of finalizer
+
+
+
+ Gets all owners (Harmony IDs) or all known patches
+ The patch owners
+
+
+
+ Creates a group of patches
+ An array of prefixes as
+ An array of postfixes as
+ An array of transpileres as
+ An array of finalizeres as
+
+
+
+ A PatchProcessor handles patches on a method/constructor
+
+
+
+ Creates an empty patch processor
+ The Harmony instance
+ The original method/constructor
+
+
+
+ Adds a prefix
+ The prefix as a
+ A for chaining calls
+
+
+
+ Adds a prefix
+ The prefix method
+ A for chaining calls
+
+
+
+ Adds a postfix
+ The postfix as a
+ A for chaining calls
+
+
+
+ Adds a postfix
+ The postfix method
+ A for chaining calls
+
+
+
+ Adds a transpiler
+ The transpiler as a
+ A for chaining calls
+
+
+
+ Adds a transpiler
+ The transpiler method
+ A for chaining calls
+
+
+
+ Adds a finalizer
+ The finalizer as a
+ A for chaining calls
+
+
+
+ Adds a finalizer
+ The finalizer method
+ A for chaining calls
+
+
+
+ Gets all patched original methods in the appdomain
+ An enumeration of patched method/constructor
+
+
+
+ Applies all registered patches
+ The generated replacement method
+
+
+
+ Unpatches patches of a given type and/or Harmony ID
+ The patch type
+ Harmony ID or * for any
+ A for chaining calls
+
+
+
+ Unpatches a specific patch
+ The method of the patch
+ A for chaining calls
+
+
+
+ Gets patch information on an original
+ The original method/constructor
+ The patch information as
+
+
+
+ Sort patch methods by their priority rules
+ The original method
+ Patches to sort
+ The sorted patch methods
+
+
+
+ Gets Harmony version for all active Harmony instances
+ [out] The current Harmony version
+ A dictionary containing assembly version keyed by Harmony ID
+
+
+
+ Creates a new empty generator to use when reading method bodies
+ A new
+
+
+
+ Creates a new generator matching the method/constructor to use when reading method bodies
+ The original method/constructor to copy method information from
+ A new
+
+
+
+ Returns the methods unmodified list of code instructions
+ The original method/constructor
+ Optionally an existing generator that will be used to create all local variables and labels contained in the result (if not specified, an internal generator is used)
+ A list containing all the original
+
+
+
+ Returns the methods unmodified list of code instructions
+ The original method/constructor
+ A new generator that now contains all local variables and labels contained in the result
+ A list containing all the original
+
+
+
+ Returns the methods current list of code instructions after all existing transpilers have been applied
+ The original method/constructor
+ Apply only the first count of transpilers
+ Optionally an existing generator that will be used to create all local variables and labels contained in the result (if not specified, an internal generator is used)
+ A list of
+
+
+
+ Returns the methods current list of code instructions after all existing transpilers have been applied
+ The original method/constructor
+ A new generator that now contains all local variables and labels contained in the result
+ Apply only the first count of transpilers
+ A list of
+
+
+
+ A low level way to read the body of a method. Used for quick searching in methods
+ The original method
+ All instructions as opcode/operand pairs
+
+
+
+ A low level way to read the body of a method. Used for quick searching in methods
+ The original method
+ An existing generator that will be used to create all local variables and labels contained in the result
+ All instructions as opcode/operand pairs
+
+
+
+ A patch priority
+
+
+
+ Patch last
+
+
+
+ Patch with very low priority
+
+
+
+ Patch with low priority
+
+
+
+ Patch with lower than normal priority
+
+
+
+ Patch with normal priority
+
+
+
+ Patch with higher than normal priority
+
+
+
+ Patch with high priority
+
+
+
+ Patch with very high priority
+
+
+
+ Patch first
+
+
+
+ A reverse patcher
+
+
+
+ Creates a reverse patcher
+ The Harmony instance
+ The original method/constructor
+ Your stand-in stub method as
+
+
+
+ Applies the patch
+ The type of patch, see
+ The generated replacement method
+
+
+
+ A collection of commonly used transpilers
+
+
+
+ A transpiler that replaces all occurrences of a given method with another one using the same signature
+ The enumeration of to act on
+ Method or constructor to search for
+ Method or constructor to replace with
+ Modified enumeration of
+
+
+
+ A transpiler that alters instructions that match a predicate by calling an action
+ The enumeration of to act on
+ A predicate selecting the instructions to change
+ An action to apply to matching instructions
+ Modified enumeration of
+
+
+
+ A transpiler that logs a text at the beginning of the method
+ The instructions to act on
+ The log text
+ Modified enumeration of
+
+
+
+ A helper class for reflection related functions
+
+
+
+ Shortcut for to simplify the use of reflections and make it work for any access level
+
+
+
+ Shortcut for to simplify the use of reflections and make it work for any access level but only within the current type
+
+
+
+ Enumerates all assemblies in the current app domain, excluding visual studio assemblies
+ An enumeration of
+
+
+ Gets a type by name. Prefers a full name with namespace but falls back to the first type matching the name otherwise
+ The name
+ A type or null if not found
+
+
+
+ Gets all successfully loaded types from a given assembly
+ The assembly
+ An array of types
+
+ This calls and returns , while catching any thrown .
+ If such an exception is thrown, returns the successfully loaded types (,
+ filtered for non-null values).
+
+
+
+
+ Enumerates all successfully loaded types in the current app domain, excluding visual studio assemblies
+ An enumeration of all in all assemblies, excluding visual studio assemblies
+
+
+ Applies a function going up the type hierarchy and stops at the first non-null result
+ Result type of func()
+ The class/type to start with
+ The evaluation function returning T
+ The first non-null result, or null if no match
+
+ The type hierarchy of a class or value type (including struct) does NOT include implemented interfaces,
+ and the type hierarchy of an interface is only itself (regardless of whether that interface implements other interfaces).
+ The top-most type in the type hierarchy of all non-interface types (including value types) is .
+
+
+
+
+ Applies a function going into inner types and stops at the first non-null result
+ Generic type parameter
+ The class/type to start with
+ The evaluation function returning T
+ The first non-null result, or null if no match
+
+
+
+ Gets the reflection information for a directly declared field
+ The class/type where the field is defined
+ The name of the field
+ A field or null when type/name is null or when the field cannot be found
+
+
+
+ Gets the reflection information for a directly declared field
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A field or null when the field cannot be found
+
+
+
+ Gets the reflection information for a field by searching the type and all its super types
+ The class/type where the field is defined
+ The name of the field (case sensitive)
+ A field or null when type/name is null or when the field cannot be found
+
+
+
+ Gets the reflection information for a field by searching the type and all its super types
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A field or null when the field cannot be found
+
+
+
+ Gets the reflection information for a field
+ The class/type where the field is declared
+ The zero-based index of the field inside the class definition
+ A field or null when type is null or when the field cannot be found
+
+
+
+ Gets the reflection information for a directly declared property
+ The class/type where the property is declared
+ The name of the property (case sensitive)
+ A property or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for a directly declared property
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A property or null when the property cannot be found
+
+
+
+ Gets the reflection information for the getter method of a directly declared property
+ The class/type where the property is declared
+ The name of the property (case sensitive)
+ A method or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for the getter method of a directly declared property
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A method or null when the property cannot be found
+
+
+
+ Gets the reflection information for the setter method of a directly declared property
+ The class/type where the property is declared
+ The name of the property (case sensitive)
+ A method or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for the Setter method of a directly declared property
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A method or null when the property cannot be found
+
+
+
+ Gets the reflection information for a property by searching the type and all its super types
+ The class/type
+ The name
+ A property or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for a property by searching the type and all its super types
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A property or null when the property cannot be found
+
+
+
+ Gets the reflection information for the getter method of a property by searching the type and all its super types
+ The class/type
+ The name
+ A method or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for the getter method of a property by searching the type and all its super types
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A method or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for the setter method of a property by searching the type and all its super types
+ The class/type
+ The name
+ A method or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for the setter method of a property by searching the type and all its super types
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A method or null when type/name is null or when the property cannot be found
+
+
+
+ Gets the reflection information for a directly declared method
+ The class/type where the method is declared
+ The name of the method (case sensitive)
+ Optional parameters to target a specific overload of the method
+ Optional list of types that define the generic version of the method
+ A method or null when type/name is null or when the method cannot be found
+
+
+
+ Gets the reflection information for a directly declared method
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ Optional parameters to target a specific overload of the method
+ Optional list of types that define the generic version of the method
+ A method or null when the method cannot be found
+
+
+
+ Gets the reflection information for a method by searching the type and all its super types
+ The class/type where the method is declared
+ The name of the method (case sensitive)
+ Optional parameters to target a specific overload of the method
+ Optional list of types that define the generic version of the method
+ A method or null when type/name is null or when the method cannot be found
+
+
+
+ Gets the reflection information for a method by searching the type and all its super types
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ Optional parameters to target a specific overload of the method
+ Optional list of types that define the generic version of the method
+ A method or null when the method cannot be found
+
+
+
+ Gets the method of an enumerator method
+ Enumerator method that creates the enumerator
+ The internal method of the enumerator or null if no valid enumerator is detected
+
+
+ Gets the names of all method that are declared in a type
+ The declaring class/type
+ A list of method names
+
+
+
+ Gets the names of all method that are declared in the type of the instance
+ An instance of the type to search in
+ A list of method names
+
+
+
+ Gets the names of all fields that are declared in a type
+ The declaring class/type
+ A list of field names
+
+
+
+ Gets the names of all fields that are declared in the type of the instance
+ An instance of the type to search in
+ A list of field names
+
+
+
+ Gets the names of all properties that are declared in a type
+ The declaring class/type
+ A list of property names
+
+
+
+ Gets the names of all properties that are declared in the type of the instance
+ An instance of the type to search in
+ A list of property names
+
+
+
+ Gets the type of any class member of
+ A member
+ The class/type of this member
+
+
+
+ Test if a class member is actually an concrete implementation
+ A member
+ True if the member is a declared
+
+
+
+ Gets the real implementation of a class member
+ A member
+ The member itself if its declared. Otherwise the member that is actually implemented in some base type
+
+
+
+ Gets the reflection information for a directly declared constructor
+ The class/type where the constructor is declared
+ Optional parameters to target a specific overload of the constructor
+ Optional parameters to only consider static constructors
+ A constructor info or null when type is null or when the constructor cannot be found
+
+
+
+ Gets the reflection information for a constructor by searching the type and all its super types
+ The class/type where the constructor is declared
+ Optional parameters to target a specific overload of the method
+ Optional parameters to only consider static constructors
+ A constructor info or null when type is null or when the method cannot be found
+
+
+
+ Gets reflection information for all declared constructors
+ The class/type where the constructors are declared
+ Optional parameters to only consider static constructors
+ A list of constructor infos
+
+
+
+ Gets reflection information for all declared methods
+ The class/type where the methods are declared
+ A list of methods
+
+
+
+ Gets reflection information for all declared properties
+ The class/type where the properties are declared
+ A list of properties
+
+
+
+ Gets reflection information for all declared fields
+ The class/type where the fields are declared
+ A list of fields
+
+
+
+ Gets the return type of a method or constructor
+ The method/constructor
+ The return type
+
+
+
+ Given a type, returns the first inner type matching a recursive search by name
+ The class/type to start searching at
+ The name of the inner type (case sensitive)
+ The inner type or null if type/name is null or if a type with that name cannot be found
+
+
+
+ Given a type, returns the first inner type matching a recursive search with a predicate
+ The class/type to start searching at
+ The predicate to search with
+ The inner type or null if type/predicate is null or if a type with that name cannot be found
+
+
+
+ Given a type, returns the first method matching a predicate
+ The class/type to start searching at
+ The predicate to search with
+ The method or null if type/predicate is null or if a type with that name cannot be found
+
+
+
+ Given a type, returns the first constructor matching a predicate
+ The class/type to start searching at
+ The predicate to search with
+ The constructor info or null if type/predicate is null or if a type with that name cannot be found
+
+
+
+ Given a type, returns the first property matching a predicate
+ The class/type to start searching at
+ The predicate to search with
+ The property or null if type/predicate is null or if a type with that name cannot be found
+
+
+
+ Returns an array containing the type of each object in the given array
+ An array of objects
+ An array of types or an empty array if parameters is null (if an object is null, the type for it will be object)
+
+
+
+ Creates an array of input parameters for a given method and a given set of potential inputs
+ The method/constructor you are planing to call
+ The possible input parameters in any order
+ An object array matching the method signature
+
+
+
+ A readable/assignable reference delegate to an instance field of a class or static field (NOT an instance field of a struct)
+
+ An arbitrary type if the field is static; otherwise the class that defines the field, or a parent class (including ),
+ implemented interface, or derived class of this type
+
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The runtime instance to access the field (ignored and can be omitted for static fields)
+ A readable/assignable reference to the field
+ Null instance passed to a non-static field ref delegate
+
+ Instance of invalid type passed to a non-static field ref delegate
+ (this can happen if is a parent class or interface of the field's declaring type)
+
+
+
+ This delegate cannot be used for instance fields of structs, since a struct instance passed to the delegate would be passed by
+ value and thus would be a copy that only exists within the delegate's invocation. This is fine for a readonly reference,
+ but makes assignment futile. Use instead.
+
+
+ Note that is not required to be the field's declaring type. It can be a parent class (including ),
+ implemented interface, or a derived class of the field's declaring type ("instanceOfT is FieldDeclaringType" must be possible).
+ Specifically, must be assignable from OR to the field's declaring type.
+ Technically, this allows Nullable, although Nullable is only relevant for structs, and since only static fields of structs
+ are allowed for this delegate, and the instance passed to such a delegate is ignored, this hardly matters.
+
+
+ Similarly, is not required to be the field's field type, unless that type is a non-enum value type.
+ It can be a parent class (including object) or implemented interface of the field's field type. It cannot be a derived class.
+ This variance is not allowed for value types, since that would require boxing/unboxing, which is not allowed for ref values.
+ Special case for enum types: can also be the underlying integral type of the enum type.
+ Specifically, for reference types, must be assignable from
+ the field's field type; for non-enum value types, must be exactly the field's field type; for enum types,
+ must be either the field's field type or the underyling integral type of that field type.
+
+
+ This delegate supports static fields, even those defined in structs, for legacy reasons.
+ For such static fields, is effectively ignored.
+ Consider using (and StaticFieldRefAccess methods that return it) instead for static fields.
+
+
+
+
+
+ Creates a field reference delegate for an instance field of a class
+ The class that defines the instance field, or derived class of this type
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The name of the field
+ A readable/assignable delegate
+
+
+ For backwards compatibility, there is no class constraint on .
+ Instead, the non-value-type check is done at runtime within the method.
+
+
+
+
+
+ Creates an instance field reference for a specific instance of a class
+ The class that defines the instance field, or derived class of this type
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The instance
+ The name of the field
+ A readable/assignable reference to the field
+
+
+ This method is meant for one-off access to a field's value for a single instance.
+ If you need to access a field's value for potentially multiple instances, use instead.
+ FieldRefAccess<T, F>(instance, fieldName) is functionally equivalent to FieldRefAccess<T, F>(fieldName)(instance).
+
+
+ For backwards compatibility, there is no class constraint on .
+ Instead, the non-value-type check is done at runtime within the method.
+
+
+
+
+
+ Creates a field reference delegate for an instance field of a class or static field (NOT an instance field of a struct)
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+
+ The type that defines the field, or derived class of this type; must not be a struct type unless the field is static
+
+ The name of the field
+
+ A readable/assignable delegate with T=object
+ (for static fields, the instance delegate parameter is ignored)
+
+
+
+ This method is meant for cases where the given type is only known at runtime and thus can't be used as a type parameter T
+ in e.g. .
+
+
+ This method supports static fields, even those defined in structs, for legacy reasons.
+ Consider using (and other overloads) instead for static fields.
+
+
+
+
+
+ Creates a field reference delegate for an instance field of a class or static field (NOT an instance field of a struct)
+ type of the field
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A readable/assignable delegate with T=object
+
+
+ Creates a field reference delegate for an instance field of a class or static field (NOT an instance field of a struct)
+
+ An arbitrary type if the field is static; otherwise the class that defines the field, or a parent class (including ),
+ implemented interface, or derived class of this type ("instanceOfT is FieldDeclaringType" must be possible)
+
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The field
+ A readable/assignable delegate
+
+
+ This method is meant for cases where the field has already been obtained, avoiding the field searching cost in
+ e.g. .
+
+
+ This method supports static fields, even those defined in structs, for legacy reasons.
+ For such static fields, is effectively ignored.
+ Consider using (and other overloads) instead for static fields.
+
+
+ For backwards compatibility, there is no class constraint on .
+ Instead, the non-value-type check is done at runtime within the method.
+
+
+
+
+
+ Creates a field reference for an instance field of a class
+
+ The type that defines the field; or a parent class (including ), implemented interface, or derived class of this type
+ ("instanceOfT is FieldDeclaringType" must be possible)
+
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The instance
+ The field
+ A readable/assignable reference to the field
+
+
+ This method is meant for one-off access to a field's value for a single instance and where the field has already been obtained.
+ If you need to access a field's value for potentially multiple instances, use instead.
+ FieldRefAccess<T, F>(instance, fieldInfo) is functionally equivalent to FieldRefAccess<T, F>(fieldInfo)(instance).
+
+
+ For backwards compatibility, there is no class constraint on .
+ Instead, the non-value-type check is done at runtime within the method.
+
+
+
+
+
+ A readable/assignable reference delegate to an instance field of a struct
+ The struct that defines the instance field
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ A reference to the runtime instance to access the field
+ A readable/assignable reference to the field
+
+
+
+ Creates a field reference delegate for an instance field of a struct
+ The struct that defines the instance field
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The name of the field
+ A readable/assignable delegate
+
+
+
+ Creates an instance field reference for a specific instance of a struct
+ The struct that defines the instance field
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The instance
+ The name of the field
+ A readable/assignable reference to the field
+
+
+ This method is meant for one-off access to a field's value for a single instance.
+ If you need to access a field's value for potentially multiple instances, use instead.
+ StructFieldRefAccess<T, F>(ref instance, fieldName) is functionally equivalent to StructFieldRefAccess<T, F>(fieldName)(ref instance).
+
+
+
+
+
+ Creates a field reference delegate for an instance field of a struct
+ The struct that defines the instance field
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The field
+ A readable/assignable delegate
+
+
+ This method is meant for cases where the field has already been obtained, avoiding the field searching cost in
+ e.g. .
+
+
+
+
+
+ Creates a field reference for an instance field of a struct
+ The struct that defines the instance field
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The instance
+ The field
+ A readable/assignable reference to the field
+
+
+ This method is meant for one-off access to a field's value for a single instance and where the field has already been obtained.
+ If you need to access a field's value for potentially multiple instances, use instead.
+ StructFieldRefAccess<T, F>(ref instance, fieldInfo) is functionally equivalent to StructFieldRefAccess<T, F>(fieldInfo)(ref instance).
+
+
+
+
+
+ A readable/assignable reference delegate to a static field
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ A readable/assignable reference to the field
+
+
+
+ Creates a static field reference
+ The type (can be class or struct) the field is defined in
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The name of the field
+ A readable/assignable reference to the field
+
+
+
+ Creates a static field reference
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The type (can be class or struct) the field is defined in
+ The name of the field
+ A readable/assignable reference to the field
+
+
+
+ Creates a static field reference
+ The type of the field
+ The member in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+ A readable/assignable reference to the field
+
+
+
+ Creates a static field reference
+ An arbitrary type (by convention, the type the field is defined in)
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The field
+ A readable/assignable reference to the field
+
+ The type parameter is only used in exception messaging and to distinguish between this method overload
+ and the overload (which returns a rather than a reference).
+
+
+
+
+ Creates a static field reference delegate
+
+ The type of the field; or if the field's type is a reference type (a class or interface, NOT a struct or other value type),
+ a type that is assignable from that type; or if the field's type is an enum type,
+ either that type or the underlying integral type of that enum type
+
+ The field
+ A readable/assignable delegate
+
+
+
+ Creates a delegate to a given method
+ The delegate Type
+ The method to create a delegate from.
+
+ Only applies for instance methods. If null (default), returned delegate is an open (a.k.a. unbound) instance delegate
+ where an instance is supplied as the first argument to the delegate invocation; else, delegate is a closed (a.k.a. bound)
+ instance delegate where the delegate invocation always applies to the given .
+
+
+ Only applies for instance methods. If true (default) and is virtual, invocation of the delegate
+ calls the instance method virtually (the instance type's most-derived/overriden implementation of the method is called);
+ else, invocation of the delegate calls the exact specified (this is useful for calling base class methods)
+ Note: if false and is an interface method, an ArgumentException is thrown.
+
+ A delegate of given to given
+
+
+ Delegate invocation is more performant and more convenient to use than
+ at a one-time setup cost.
+
+
+ Works for both type of static and instance methods, both open and closed (a.k.a. unbound and bound) instance methods,
+ and both class and struct methods.
+
+
+
+
+
+ Creates a delegate to a given method
+ The delegate Type
+ The method in the form TypeFullName:MemberName, where TypeFullName matches the form recognized by Type.GetType like Some.Namespace.Type.
+
+ Only applies for instance methods. If null (default), returned delegate is an open (a.k.a. unbound) instance delegate
+ where an instance is supplied as the first argument to the delegate invocation; else, delegate is a closed (a.k.a. bound)
+ instance delegate where the delegate invocation always applies to the given .
+
+
+ Only applies for instance methods. If true (default) and is virtual, invocation of the delegate
+ calls the instance method virtually (the instance type's most-derived/overriden implementation of the method is called);
+ else, invocation of the delegate calls the exact specified (this is useful for calling base class methods)
+ Note: if false and is an interface method, an ArgumentException is thrown.
+
+ A delegate of given to given
+
+
+ Delegate invocation is more performant and more convenient to use than
+ at a one-time setup cost.
+
+
+ Works for both type of static and instance methods, both open and closed (a.k.a. unbound and bound) instance methods,
+ and both class and struct methods.
+
+
+
+
+
+ Creates a delegate for a given delegate definition, attributed with []
+ The delegate Type, attributed with []
+
+ Only applies for instance methods. If null (default), returned delegate is an open (a.k.a. unbound) instance delegate
+ where an instance is supplied as the first argument to the delegate invocation; else, delegate is a closed (a.k.a. bound)
+ instance delegate where the delegate invocation always applies to the given .
+
+ A delegate of given to the method specified via []
+ attributes on
+
+ This calls with the method and virtualCall arguments
+ determined from the [] attributes on ,
+ and the given (for closed instance delegates).
+
+
+
+
+ Returns who called the current method
+ The calling method/constructor (excluding the caller)
+
+
+
+ Rethrows an exception while preserving its stack trace (throw statement typically clobbers existing stack traces)
+ The exception to rethrow
+
+
+
+ True if the current runtime is based on Mono, false otherwise (.NET)
+
+
+
+ True if the current runtime is .NET Framework, false otherwise (.NET Core or Mono, although latter isn't guaranteed)
+
+
+
+ True if the current runtime is .NET Core, false otherwise (Mono or .NET Framework)
+
+
+
+ Throws a missing member runtime exception
+ The type that is involved
+ A list of names
+
+
+
+ Gets default value for a specific type
+ The class/type
+ The default value
+
+
+
+ Creates an (possibly uninitialized) instance of a given type
+ The class/type
+ The new instance
+
+
+
+ Creates an (possibly uninitialized) instance of a given type
+ The class/type
+ The new instance
+
+
+
+
+ A cache for the or similar Add methods for different types.
+
+
+
+ Makes a deep copy of any object
+ The type of the instance that should be created; for legacy reasons, this must be a class or interface
+ The original object
+ A copy of the original object but of type T
+
+
+
+ Makes a deep copy of any object
+ The type of the instance that should be created
+ The original object
+ [out] The copy of the original object
+ Optional value transformation function (taking a field name and src/dst instances)
+ The optional path root to start with
+
+
+
+ Makes a deep copy of any object
+ The original object
+ The type of the instance that should be created
+ Optional value transformation function (taking a field name and src/dst instances)
+ The optional path root to start with
+ The copy of the original object
+
+
+
+ Tests if a type is a struct
+ The type
+ True if the type is a struct
+
+
+
+ Tests if a type is a class
+ The type
+ True if the type is a class
+
+
+
+ Tests if a type is a value type
+ The type
+ True if the type is a value type
+
+
+
+ Tests if a type is an integer type
+ The type
+ True if the type represents some integer
+
+
+
+ Tests if a type is a floating point type
+ The type
+ True if the type represents some floating point
+
+
+
+ Tests if a type is a numerical type
+ The type
+ True if the type represents some number
+
+
+
+ Tests if a type is void
+ The type
+ True if the type is void
+
+
+
+ Test whether an instance is of a nullable type
+ Type of instance
+ An instance to test
+ True if instance is of nullable type, false if not
+
+
+
+ Tests whether a type or member is static, as defined in C#
+ The type or member
+ True if the type or member is static
+
+
+
+ Tests whether a type is static, as defined in C#
+ The type
+ True if the type is static
+
+
+
+ Tests whether a property is static, as defined in C#
+ The property
+ True if the property is static
+
+
+
+ Tests whether an event is static, as defined in C#
+ The event
+ True if the event is static
+
+
+
+ Calculates a combined hash code for an enumeration of objects
+ The objects
+ The hash code
+
+
+
+ A CodeInstruction match
+
+
+ The name of the match
+
+
+ The matched opcodes
+
+
+ The matched operands
+
+
+ The jumps from the match
+
+
+ The jumps to the match
+
+
+ The match predicate
+
+
+ Creates a code match
+ The optional opcode
+ The optional operand
+ The optional name
+
+
+
+ Creates a code match that calls a method
+ The lambda expression using the method
+ The optional name
+
+
+
+ Creates a code match that calls a method
+ The lambda expression using the method
+ The optional name
+
+
+
+ Creates a code match
+ The CodeInstruction
+ An optional name
+
+
+
+ Creates a code match
+ The predicate
+ An optional name
+
+
+
+ Returns a string that represents the match
+ A string representation
+
+
+
+ A CodeInstruction matcher
+
+
+ The current position
+ The index or -1 if out of bounds
+
+
+
+ Gets the number of code instructions in this matcher
+ The count
+
+
+
+ Checks whether the position of this CodeMatcher is within bounds
+ True if this CodeMatcher is valid
+
+
+
+ Checks whether the position of this CodeMatcher is outside its bounds
+ True if this CodeMatcher is invalid
+
+
+
+ Gets the remaining code instructions
+ The remaining count
+
+
+
+ Gets the opcode at the current position
+ The opcode
+
+
+
+ Gets the operand at the current position
+ The operand
+
+
+
+ Gets the labels at the current position
+ The labels
+
+
+
+ Gets the exception blocks at the current position
+ The blocks
+
+
+
+ Creates an empty code matcher
+
+
+ Creates a code matcher from an enumeration of instructions
+ The instructions (transpiler argument)
+ An optional IL generator
+
+
+
+ Makes a clone of this instruction matcher
+ A copy of this matcher
+
+
+
+ Gets instructions at the current position
+ The instruction
+
+
+
+ Gets instructions at the current position with offset
+ The offset
+ The instruction
+
+
+
+ Gets all instructions
+ A list of instructions
+
+
+
+ Gets all instructions as an enumeration
+ A list of instructions
+
+
+
+ Gets some instructions counting from current position
+ Number of instructions
+ A list of instructions
+
+
+
+ Gets all instructions within a range
+ The start index
+ The end index
+ A list of instructions
+
+
+
+ Gets all instructions within a range (relative to current position)
+ The start offset
+ The end offset
+ A list of instructions
+
+
+
+ Gets a list of all distinct labels
+ The instructions (transpiler argument)
+ A list of Labels
+
+
+
+ Reports a failure
+ The method involved
+ The logger
+ True if current position is invalid and error was logged
+
+
+
+ Throw an InvalidOperationException if current state is invalid (position out of bounds / last match failed)
+ Explanation of where/why the exception was thrown that will be added to the exception message
+ The same code matcher
+
+
+
+ Throw an InvalidOperationException if current state is invalid (position out of bounds / last match failed),
+ or if the matches do not match at current position
+ Explanation of where/why the exception was thrown that will be added to the exception message
+ Some code matches
+ The same code matcher
+
+
+
+ Throw an InvalidOperationException if current state is invalid (position out of bounds / last match failed),
+ or if the matches do not match at any point between current position and the end
+ Explanation of where/why the exception was thrown that will be added to the exception message
+ Some code matches
+ The same code matcher
+
+
+
+ Throw an InvalidOperationException if current state is invalid (position out of bounds / last match failed),
+ or if the matches do not match at any point between current position and the start
+ Explanation of where/why the exception was thrown that will be added to the exception message
+ Some code matches
+ The same code matcher
+
+
+
+ Throw an InvalidOperationException if current state is invalid (position out of bounds / last match failed),
+ or if the check function returns false
+ Explanation of where/why the exception was thrown that will be added to the exception message
+ Function that checks validity of current state. If it returns false, an exception is thrown
+ The same code matcher
+
+
+
+ Sets an instruction at current position
+ The instruction to set
+ The same code matcher
+
+
+
+ Sets instruction at current position and advances
+ The instruction
+ The same code matcher
+
+
+
+ Sets opcode and operand at current position
+ The opcode
+ The operand
+ The same code matcher
+
+
+
+ Sets opcode and operand at current position and advances
+ The opcode
+ The operand
+ The same code matcher
+
+
+
+ Sets opcode at current position and advances
+ The opcode
+ The same code matcher
+
+
+
+ Sets operand at current position and advances
+ The operand
+ The same code matcher
+
+
+
+ Creates a label at current position
+ [out] The label
+ The same code matcher
+
+
+
+ Creates a label at a position
+ The position
+ [out] The new label
+ The same code matcher
+
+
+
+ Creates a label at a position
+ The offset
+ [out] The new label
+ The same code matcher
+
+
+
+ Adds an enumeration of labels to current position
+ The labels
+ The same code matcher
+
+
+
+ Adds an enumeration of labels at a position
+ The position
+ The labels
+ The same code matcher
+
+
+
+ Sets jump to
+ Branch instruction
+ Destination for the jump
+ [out] The created label
+ The same code matcher
+
+
+
+ Inserts some instructions
+ The instructions
+ The same code matcher
+
+
+
+ Inserts an enumeration of instructions
+ The instructions
+ The same code matcher
+
+
+
+ Inserts a branch
+ The branch opcode
+ Branch destination
+ The same code matcher
+
+
+
+ Inserts some instructions and advances the position
+ The instructions
+ The same code matcher
+
+
+
+ Inserts an enumeration of instructions and advances the position
+ The instructions
+ The same code matcher
+
+
+
+ Inserts a branch and advances the position
+ The branch opcode
+ Branch destination
+ The same code matcher
+
+
+
+ Removes current instruction
+ The same code matcher
+
+
+
+ Removes some instruction from current position by count
+ Number of instructions
+ The same code matcher
+
+
+
+ Removes the instructions in a range
+ The start
+ The end
+ The same code matcher
+
+
+
+ Removes the instructions in a offset range
+ The start offset
+ The end offset
+ The same code matcher
+
+
+
+ Advances the current position
+ The offset
+ The same code matcher
+
+
+
+ Moves the current position to the start
+ The same code matcher
+
+
+
+ Moves the current position to the end
+ The same code matcher
+
+
+
+ Searches forward with a predicate and advances position
+ The predicate
+ The same code matcher
+
+
+
+ Searches backwards with a predicate and reverses position
+ The predicate
+ The same code matcher
+
+
+
+ Matches forward and advances position to beginning of matching sequence
+ Some code matches
+ The same code matcher
+
+
+
+ Matches forward and advances position to ending of matching sequence
+ Some code matches
+ The same code matcher
+
+
+
+ Matches backwards and reverses position to beginning of matching sequence
+ Some code matches
+ The same code matcher
+
+
+
+ Matches backwards and reverses position to ending of matching sequence
+ Some code matches
+ The same code matcher
+
+
+
+ Repeats a match action until boundaries are met
+ The match action
+ An optional action that is executed when no match is found
+ The same code matcher
+
+
+
+ Gets a match by its name
+ The match name
+ An instruction
+
+
+
+ General extensions for common cases
+
+
+
+ Joins an enumeration with a value converter and a delimiter to a string
+ The inner type of the enumeration
+ The enumeration
+ An optional value converter (from T to string)
+ An optional delimiter
+ The values joined into a string
+
+
+
+ Converts an array of types (for example methods arguments) into a human readable form
+ The array of types
+ A human readable description including brackets
+
+
+
+ A full description of a type
+ The type
+ A human readable description
+
+
+
+ A a full description of a method or a constructor without assembly details but with generics
+ The method/constructor
+ A human readable description
+
+
+
+ A helper converting parameter infos to types
+ The array of parameter infos
+ An array of types
+
+
+
+ A helper to access a value via key from a dictionary
+ The key type
+ The value type
+ The dictionary
+ The key
+ The value for the key or the default value (of T) if that key does not exist
+
+
+
+ A helper to access a value via key from a dictionary with extra casting
+ The value type
+ The dictionary
+ The key
+ The value for the key or the default value (of T) if that key does not exist or cannot be cast to T
+
+
+
+ Escapes Unicode and ASCII non printable characters
+ The string to convert
+ The string to convert
+ A string literal surrounded by
+
+
+
+ Extensions for
+
+
+
+ Returns if an is initialized and valid
+ The
+
+
+
+ Shortcut for testing whether the operand is equal to a non-null value
+ The
+ The value
+ True if the operand has the same type and is equal to the value
+
+
+
+ Shortcut for testing whether the operand is equal to a non-null value
+ The
+ The value
+ True if the operand is equal to the value
+ This is an optimized version of for
+
+
+
+ Shortcut for code.opcode == opcode && code.OperandIs(operand)
+ The
+ The
+ The operand value
+ True if the opcode is equal to the given opcode and the operand has the same type and is equal to the given operand
+
+
+
+ Shortcut for code.opcode == opcode && code.OperandIs(operand)
+ The
+ The
+ The operand value
+ True if the opcode is equal to the given opcode and the operand is equal to the given operand
+ This is an optimized version of for
+
+
+
+ Tests for any form of Ldarg*
+ The
+ The (optional) index
+ True if it matches one of the variations
+
+
+
+ Tests for Ldarga/Ldarga_S
+ The
+ The (optional) index
+ True if it matches one of the variations
+
+
+
+ Tests for Starg/Starg_S
+ The
+ The (optional) index
+ True if it matches one of the variations
+
+
+
+ Tests for any form of Ldloc*
+ The
+ The optional local variable
+ True if it matches one of the variations
+
+
+
+ Tests for any form of Stloc*
+ The
+ The optional local variable
+ True if it matches one of the variations
+
+
+
+ Tests if the code instruction branches
+ The
+ The label if the instruction is a branch operation or if not
+ True if the instruction branches
+
+
+
+ Tests if the code instruction calls the method/constructor
+ The
+ The method
+ True if the instruction calls the method or constructor
+
+
+
+ Tests if the code instruction loads a constant
+ The
+ True if the instruction loads a constant
+
+
+
+ Tests if the code instruction loads an integer constant
+ The
+ The integer constant
+ True if the instruction loads the constant
+
+
+
+ Tests if the code instruction loads a floating point constant
+ The
+ The floating point constant
+ True if the instruction loads the constant
+
+
+
+ Tests if the code instruction loads an enum constant
+ The
+ The enum
+ True if the instruction loads the constant
+
+
+
+ Tests if the code instruction loads a string constant
+ The
+ The string
+ True if the instruction loads the constant
+
+
+
+ Tests if the code instruction loads a field
+ The
+ The field
+ Set to true if the address of the field is loaded
+ True if the instruction loads the field
+
+
+
+ Tests if the code instruction stores a field
+ The
+ The field
+ True if the instruction stores this field
+
+
+
+ Adds labels to the code instruction and return it
+ The
+ One or several to add
+ The same code instruction
+
+
+ Adds labels to the code instruction and return it
+ The
+ An enumeration of
+ The same code instruction
+
+
+ Extracts all labels from the code instruction and returns them
+ The
+ A list of
+
+
+ Moves all labels from the code instruction to another one
+ The to move the labels from
+ The other to move the labels to
+ The code instruction labels were moved from (now empty)
+
+
+ Moves all labels from another code instruction to the current one
+ The to move the labels to
+ The other to move the labels from
+ The code instruction that received the labels
+
+
+ Adds ExceptionBlocks to the code instruction and return it
+ The
+ One or several to add
+ The same code instruction
+
+
+ Adds ExceptionBlocks to the code instruction and return it
+ The
+ An enumeration of
+ The same code instruction
+
+
+ Extracts all ExceptionBlocks from the code instruction and returns them
+ The
+ A list of
+
+
+ Moves all ExceptionBlocks from the code instruction to another one
+ The to move the ExceptionBlocks from
+ The other to move the ExceptionBlocks to
+ The code instruction blocks were moved from (now empty)
+
+
+ Moves all ExceptionBlocks from another code instruction to the current one
+ The to move the ExceptionBlocks to
+ The other to move the ExceptionBlocks from
+ The code instruction that received the blocks
+
+
+ General extensions for collections
+
+
+
+ A simple way to execute code for every element in a collection
+ The inner type of the collection
+ The collection
+ The action to execute
+
+
+
+ A simple way to execute code for elements in a collection matching a condition
+ The inner type of the collection
+ The collection
+ The predicate
+ The action to execute
+
+
+
+ A helper to add an item to a collection
+ The inner type of the collection
+ The collection
+ The item to add
+ The collection containing the item
+
+
+
+ A helper to add an item to an array
+ The inner type of the collection
+ The array
+ The item to add
+ The array containing the item
+
+
+
+ A helper to add items to an array
+ The inner type of the collection
+ The array
+ The items to add
+ The array containing the items
+
+
+
+ General extensions for collections
+
+
+
+ Tests a class member if it has an IL method body (external methods for example don't have a body)
+ The member to test
+ Returns true if the member has an IL body or false if not
+
+
+ A file log for debugging
+
+
+
+ Set this to make Harmony write its log content to this stream
+
+
+
+ Full pathname of the log file, defaults to a file called harmony.log.txt on your Desktop
+
+
+
+ The indent character. The default is tab
+
+
+
+ The current indent level
+
+
+
+ Changes the indentation level
+ The value to add to the indentation level
+
+
+
+ Log a string in a buffered way. Use this method only if you are sure that FlushBuffer will be called
+ or else logging information is incomplete in case of a crash
+ The string to log
+
+
+
+ Logs a list of string in a buffered way. Use this method only if you are sure that FlushBuffer will be called
+ or else logging information is incomplete in case of a crash
+ A list of strings to log (they will not be re-indented)
+
+
+
+ Returns the log buffer and optionally empties it
+ True to empty the buffer
+ The buffer.
+
+
+
+ Replaces the buffer with new lines
+ The lines to store
+
+
+
+ Flushes the log buffer to disk (use in combination with LogBuffered)
+
+
+
+ Log a string directly to disk. Slower method that prevents missing information in case of a crash
+ The string to log.
+
+
+
+ Log a string directly to disk if Harmony.DEBUG is true. Slower method that prevents missing information in case of a crash
+ The string to log.
+
+
+
+ Resets and deletes the log
+
+
+
+ Logs some bytes as hex values
+ The pointer to some memory
+ The length of bytes to log
+
+
+
+ A helper class to retrieve reflection info for non-private methods
+
+
+
+ Given a lambda expression that calls a method, returns the method info
+ The lambda expression using the method
+ The method in the lambda expression
+
+
+
+ Given a lambda expression that calls a method, returns the method info
+ The generic type
+ The lambda expression using the method
+ The method in the lambda expression
+
+
+
+ Given a lambda expression that calls a method, returns the method info
+ The generic type
+ The generic result type
+ The lambda expression using the method
+ The method in the lambda expression
+
+
+
+ Given a lambda expression that calls a method, returns the method info
+ The lambda expression using the method
+ The method in the lambda expression
+
+
+
+ A reflection helper to read and write private elements
+ The result type defined by GetValue()
+
+
+
+ Creates a traverse instance from an existing instance
+ The existing instance
+
+
+
+ Gets/Sets the current value
+ The value to read or write
+
+
+
+ A reflection helper to read and write private elements
+
+
+
+ Creates a new traverse instance from a class/type
+ The class/type
+ A instance
+
+
+
+ Creates a new traverse instance from a class T
+ The class
+ A instance
+
+
+
+ Creates a new traverse instance from an instance
+ The object
+ A instance
+
+
+
+ Creates a new traverse instance from a named type
+ The type name, for format see
+ A instance
+
+
+
+ Creates a new and empty traverse instance
+
+
+
+ Creates a new traverse instance from a class/type
+ The class/type
+
+
+
+ Creates a new traverse instance from an instance
+ The object
+
+
+
+ Gets the current value
+ The value
+
+
+
+ Gets the current value
+ The type of the value
+ The value
+
+
+
+ Invokes the current method with arguments and returns the result
+ The method arguments
+ The value returned by the method
+
+
+
+ Invokes the current method with arguments and returns the result
+ The type of the value
+ The method arguments
+ The value returned by the method
+
+
+
+ Sets a value of the current field or property
+ The value
+ The same traverse instance
+
+
+
+ Gets the type of the current field or property
+ The type
+
+
+
+ Moves the current traverse instance to a inner type
+ The type name
+ A traverse instance
+
+
+
+ Moves the current traverse instance to a field
+ The type name
+ A traverse instance
+
+
+
+ Moves the current traverse instance to a field
+ The type of the field
+ The type name
+ A traverse instance
+
+
+
+ Gets all fields of the current type
+ A list of field names
+
+
+
+ Moves the current traverse instance to a property
+ The type name
+ Optional property index
+ A traverse instance
+
+
+
+ Moves the current traverse instance to a field
+ The type of the property
+ The type name
+ Optional property index
+ A traverse instance
+
+
+
+ Gets all properties of the current type
+ A list of property names
+
+
+
+ Moves the current traverse instance to a method
+ The name of the method
+ The arguments defining the argument types of the method overload
+ A traverse instance
+
+
+
+ Moves the current traverse instance to a method
+ The name of the method
+ The argument types of the method
+ The arguments for the method
+ A traverse instance
+
+
+
+ Gets all methods of the current type
+ A list of method names
+
+
+
+ Checks if the current traverse instance is for a field
+ True if its a field
+
+
+
+ Checks if the current traverse instance is for a property
+ True if its a property
+
+
+
+ Checks if the current traverse instance is for a method
+ True if its a method
+
+
+
+ Checks if the current traverse instance is for a type
+ True if its a type
+
+
+
+ Iterates over all fields of the current type and executes a traverse action
+ Original object
+ The action receiving a instance for each field
+
+
+
+ Iterates over all fields of the current type and executes a traverse action
+ Original object
+ Target object
+ The action receiving a pair of instances for each field pair
+
+
+
+ Iterates over all fields of the current type and executes a traverse action
+ Original object
+ Target object
+ The action receiving a dot path representing the field pair and the instances
+
+
+
+ Iterates over all properties of the current type and executes a traverse action
+ Original object
+ The action receiving a instance for each property
+
+
+
+ Iterates over all properties of the current type and executes a traverse action
+ Original object
+ Target object
+ The action receiving a pair of instances for each property pair
+
+
+
+ Iterates over all properties of the current type and executes a traverse action
+ Original object
+ Target object
+ The action receiving a dot path representing the property pair and the instances
+
+
+
+ A default field action that copies fields to fields
+
+
+
+ Returns a string that represents the current traverse
+ A string representation
+
+
+
+
diff --git a/1.5/Assemblies/0MultiplayerAPI.dll b/1.5/Assemblies/0MultiplayerAPI.dll
new file mode 100644
index 0000000..5372d91
Binary files /dev/null and b/1.5/Assemblies/0MultiplayerAPI.dll differ
diff --git a/1.5/Assemblies/BadHygiene.dll b/1.5/Assemblies/BadHygiene.dll
new file mode 100644
index 0000000..e156625
Binary files /dev/null and b/1.5/Assemblies/BadHygiene.dll differ
diff --git a/1.5/Defs/Designations/DesignationCategories.xml b/1.5/Defs/Designations/DesignationCategories.xml
new file mode 100644
index 0000000..7a7ef53
--- /dev/null
+++ b/1.5/Defs/Designations/DesignationCategories.xml
@@ -0,0 +1,16 @@
+
+
+
+ Hygiene
+
+ Things for colonists' hygiene.
+ 10
+
+
Designator_Cancel
+
Designator_Deconstruct
+
DubsBadHygiene.Designator_RemoveSewage
+
DubsBadHygiene.Designator_RemovePlumbing
+
DubsBadHygiene.Designator_AreaPlaceFertilizer
+
+
+
\ No newline at end of file
diff --git a/1.5/Defs/Designations/Designations.xml b/1.5/Defs/Designations/Designations.xml
new file mode 100644
index 0000000..0d3defb
--- /dev/null
+++ b/1.5/Defs/Designations/Designations.xml
@@ -0,0 +1,22 @@
+
+
+
+
+ RemoveSewageDes
+ Designations/Haul
+ Cell
+
+
+
+ kickOverDes
+ DBH/UI/kickOver
+ Thing
+
+
+
+ drainOutDes
+ DBH/UI/drainOut
+ Thing
+
+
+
\ No newline at end of file
diff --git a/1.5/Defs/Effects/Effecter_Misc.xml b/1.5/Defs/Effects/Effecter_Misc.xml
new file mode 100644
index 0000000..c05872c
--- /dev/null
+++ b/1.5/Defs/Effects/Effecter_Misc.xml
@@ -0,0 +1,101 @@
+
+
+
+
+ Fecal
+
+
+
+
+
+
+ BadHygiene
+
+ Bad hygiene will increase risk of disease and impact social interaction.
+ false
+ (0.8, 0.8, 0.35)
+ false
+
+
+
+
+ 0.05
+
+ -0.05
+
+
+
+
+ 0.5
+
+ 0.1
+
+ -0.1
+
+
+
+
+ 0.75
+
+ 0.15
+
+ -0.15
+
+
+
+
+
+
+ Diarrhea
+
+ Diarrhea is loose, watery stools. Also known as bowel movements.
+ true
+ 1
+ true
+
+
+ -1
+
+
+
+
+
+ 1
+
+ 0.1
+ 0.1
+
+
+
+ Consciousness
+ 0.75
+
+
+
+
+
+ 0.2
+ 0.75
+
+ 1
+ 1
+
+
+
+ Consciousness
+ 0.5
+
+
+
+
+
+ 0.8
+ 0.75
+
+ 0.25
+ 0.25
+
+
+
+ Consciousness
+ 0.75
+
+
+
+
+
+
+
+ Dysentery
+
+ Dysentery is a type of gastroenteritis that results in diarrhea with blood.
+ HediffWithComps
+ IllnessRevealed
+ true
+ 1
+ true
+
+
+ 48
+ -0.1105
+
+
+ 0.2488
+ 0.2614
+ -0.4947
+ -0.06
+
+
+
+
+
+
+ 0.25
+
+
+
+ Consciousness
+ -0.05
+
+
+ Manipulation
+ -0.05
+
+
+ Breathing
+ -0.1
+
+
+
+
+ 0.666
+
+ 1.5
+
+ 0.5
+
+
+
+ Consciousness
+ -0.1
+
+
+ Manipulation
+ -0.1
+
+
+ Breathing
+ -0.15
+
+
+
+
+ 0.833
+
+ true
+ 0.75
+ 0.05
+
+ 1
+
+
+
+ Consciousness
+ -0.15
+
+
+ Manipulation
+ -0.2
+
+
+ Breathing
+ -0.2
+
+
+
+
+
+
+
+ Cholera
+
+ Cholera is an infectious disease that causes severe watery diarrhea, which can lead to dehydration and even death if untreated.
+ IllnessRevealed
+ true
+ 1
+ true
+
+
+ 12
+ -0.3628
+
+
+ 0.666
+ 0.5224
+ -0.333
+ -0.02
+
+
+
+
+
+ 0.2
+
+ 0.25
+
+
+
+ Consciousness
+ -0.05
+
+
+ Manipulation
+ -0.05
+
+
+
+
+ 0.6
+
+ 0.35
+
+ 0.5
+
+
+
+ Consciousness
+ -0.2
+
+
+ Manipulation
+ -0.2
+
+
+
+
+ 0.8
+
+ 0.6
+
+ 1
+
+
+
+ Consciousness
+ -0.3
+
+
+ Manipulation
+ -0.3
+
+
+
+
+ 0.9
+
+ true
+ 0.85
+
+ 1.5
+
+
+
+ Consciousness
+ -0.3
+
+
+ Manipulation
+ -0.3
+
+
+ Breathing
+ -0.15
+
+
+
+
+
+
+
+
+ DBHDehydration
+
+ Dehydration is a condition that can occur when the loss of body fluids, mostly water, exceeds the amount that is taken in.
+ 1
+ true
+ false
+ false
+
+
+
+ 1.5
+ 0.1
+
+
+ Consciousness
+ -0.05
+
+
+
+
+ 0.2
+
+ 2
+ 0.2
+
+
+ Consciousness
+ -0.10
+
+
+
+
+ 0.4
+
+ 2.5
+ 0.4
+
+
+ Consciousness
+ -0.20
+
+
+
+
+ 0.6
+
+ 3
+ 0.8
+
+
+ Consciousness
+ -0.30
+
+
+
+
+ 0.8
+
+ true
+ 1
+
+
+ Consciousness
+ 0.1
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Defs/HediffDefs/Hediffs_Hygiene_Bionics.xml b/1.5/Defs/HediffDefs/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..451c705
--- /dev/null
+++ b/1.5/Defs/HediffDefs/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,144 @@
+
+
+
+
+ BionicBladder
+
+ a bionic bladder
+ An installed bionic bladder.
+
+ BionicBladder
+
+ BionicBladder
+
+
+
+ -0.5
+ -0.5
+
+
+
+
+
+
+ BionicBladder
+
+ An advanced artificial bladder. A chemical recycling system breaks down waste products from the body into molecules which are recycled with the remainder released as gas, the downside of this being that it gives the user gas.
+
+ InstallBionicBladder
+
+
+ 10
+ 3
+
+
+ 2
+
+
+ HygieneBionics
+
+
+
+
+ InstallBionicBladder
+
+ Install a bionic bladder.
+
+ BionicBladder
+ BionicBladder
+
+ Installing bionic bladder.
+
+
+
+ WatchWashingMachine
+ false
+ Meditative
+
+
+
\ No newline at end of file
diff --git a/1.5/Defs/ModOptions/ModOptions.xml b/1.5/Defs/ModOptions/ModOptions.xml
new file mode 100644
index 0000000..8ff68ba
--- /dev/null
+++ b/1.5/Defs/ModOptions/ModOptions.xml
@@ -0,0 +1,800 @@
+
+
+
+
+ DubsBadHygieneExtensions
+
+
+
+ Plumbing
+ PipeVisibility
+
+ false
+ 1
+ How pipes should be rendered
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ Lite
+ HygieneRateD
+
+ 10
+ How fast hygiene need decreases
+
+
+
+ 0
+
+
+
+ 0.1
+
+
+
+ 0.2
+
+
+
+ 0.3
+
+
+
+ 0.4
+
+
+
+ 0.5
+
+
+
+ 0.6
+
+
+
+ 0.7
+
+
+
+ 0.8
+
+
+
+ 0.9
+
+
+
+ 1
+
+
+
+ 1.1
+
+
+
+ 1.2
+
+
+
+ 1.3
+
+
+
+ 1.4
+
+
+
+ 1.5
+
+
+
+ 2
+
+
+
+ 3
+
+
+
+ 5
+
+
+
+ 10
+
+
+
+
+
+ Lite
+ BladderRateD
+
+ 10
+ How fast bladder need decreases
+
+
+
+ 0
+
+
+
+ 0.1
+
+
+
+ 0.2
+
+
+
+ 0.3
+
+
+
+ 0.4
+
+
+
+ 0.5
+
+
+
+ 0.6
+
+
+
+ 0.7
+
+
+
+ 0.8
+
+
+
+ 0.9
+
+
+
+ 1
+
+
+
+ 1.1
+
+
+
+ 1.2
+
+
+
+ 1.3
+
+
+
+ 1.4
+
+
+
+ 1.5
+
+
+
+ 2
+
+
+
+ 3
+
+
+
+ 5
+
+
+
+ 10
+
+
+
+
+
+ Plumbing
+ FlushSize
+
+ 3
+ How much sewage is produced from each flush
+
+
+
+ 0
+
+
+
+ 0.25
+
+
+
+ 0.5
+
+
+
+ 1
+
+
+
+ 1.5
+
+
+
+ 2
+
+
+
+ 2.5
+
+
+
+
+
+ Thirst
+ ThirstRateD
+
+ 10
+ How fast thirst need decreases
+
+
+
+ 0
+
+
+
+ 0.1
+
+
+
+ 0.2
+
+
+
+ 0.3
+
+
+
+ 0.4
+
+
+
+ 0.5
+
+
+
+ 0.6
+
+
+
+ 0.7
+
+
+
+ 0.8
+
+
+
+ 0.9
+
+
+
+ 1
+
+
+
+ 1.1
+
+
+
+ 1.2
+
+
+
+ 1.3
+
+
+
+ 1.4
+
+
+
+ 1.5
+
+
+
+ 2
+
+
+
+ 3
+
+
+
+ 5
+
+
+
+ 10
+
+
+
+
+
+ Plumbing
+ ContaminationChance
+
+ 4
+ Chance for a colonist to get contaminated from untreated water
+
+
+
+ 0.00001
+
+
+
+ 0.1
+
+
+
+ 0.25
+
+
+
+ 0.5
+
+
+
+ 1
+
+
+
+ 1.25
+
+
+
+ 1.5
+
+
+
+ 1.75
+
+
+
+ 2
+
+
+
+
+
+ Plumbing
+ WaterPumpCapacity
+
+ 3
+ Capacity of water pumps
+
+
+
+ 999
+
+
+
+ 0.4
+
+
+
+ 0.3
+
+
+
+ 0.2
+
+
+
+ 0.15
+
+
+
+ 0.1
+
+
+
+ 0.05
+
+
+
+
+
+ CentralHeating
+ WaterHeatingRate
+
+ 3
+ How much hot water is used while washing
+
+
+
+ 0.1
+
+
+
+ 0.5
+
+
+
+ 0.75
+
+
+
+ 1
+
+
+
+ 1.25
+
+
+
+ 1.5
+
+
+
+ 2
+
+
+
+
+
+ Plumbing
+ SewageGridCapacity
+
+ 3
+ How much sewage can fit into a cell on the surface
+
+
+
+ 1000
+
+
+
+ 100
+
+
+
+ 50
+
+
+
+ 25
+
+
+
+ 20
+
+
+
+ 15
+
+
+
+ 5
+
+
+
+
+
+ Plumbing
+ SewageCleanupRateB
+
+ 5
+ How fast sewage on the surface cleans up over time
+
+
+
+ 10
+
+
+
+ 3
+
+
+
+ 2
+
+
+
+ 1.5
+
+
+
+ 1.25
+
+
+
+ 1
+
+
+
+ 0.75
+
+
+
+ 0.5
+
+
+
+ 0.25
+
+
+
+ 0.1
+
+
+
+ 0
+
+
+
+
+
+ Plumbing
+ SewageProcRate
+
+ 4
+ How fast sewage is treated in septic tanks and sewage treatment
+
+
+
+ 100
+
+
+
+ 2
+
+
+
+ 1.5
+
+
+
+ 1.25
+
+
+
+ 1
+
+
+
+ 0.75
+
+
+
+ 0.5
+
+
+
+ 0.25
+
+
+
+ 0.1
+
+
+
+
+
+ Fertilizer
+ IrrigationGridStrength
+
+ true
+ 4
+ How much effect of irrigation has on fertility
+
+
+
+ 10
+
+
+
+ 2.4
+
+
+
+ 2.2
+
+
+
+ 2
+
+
+
+ 1.8
+
+
+
+ 1.6
+
+
+
+ 1.4
+
+
+
+ 1.2
+
+
+
+ 1.1
+
+
+
+
+
+ Fertilizer
+ FertilizerGridStrength
+
+ true
+ 4
+ How much effect fertilizer has on fertility
+
+
+
+ 10
+
+
+
+ 1.6
+
+
+
+ 1.4
+
+
+
+ 1.2
+
+
+
+ 1.1
+
+
+
+ 1.08
+
+
+
+ 1.06
+
+
+
+ 1.04
+
+
+
+ 1.02
+
+
+
+
+
+ Fertilizer
+ TerrainFertilityFactor
+
+ true
+ 5
+ Base value of terrain fertility
+
+
+
+ 10
+
+
+
+ 1.8
+
+
+
+ 1.4
+
+
+
+ 1.2
+
+
+
+ 1.1
+
+
+
+ 1
+
+
+
+ 0.9
+
+
+
+ 0.8
+
+
+
+ 0.6
+
+
+
+ 0.4
+
+
+
+ 0.2
+
+
+
+
+
+ Fertilizer
+ FertilizerLifespan
+
+ true
+ 5
+ How long terrain remains fertilized after applying fertilizer
+
+
+
+ 9999
+
+
+
+ 240
+
+
+
+ 180
+
+
+
+ 120
+
+
+
+ 80
+
+
+
+ 60
+
+
+
+ 40
+
+
+
+ 30
+
+
+
+ 20
+
+
+
+ 10
+
+
+
+ 1
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Defs/NeedDefs/Needs_Misc.xml b/1.5/Defs/NeedDefs/Needs_Misc.xml
new file mode 100644
index 0000000..7524a0f
--- /dev/null
+++ b/1.5/Defs/NeedDefs/Needs_Misc.xml
@@ -0,0 +1,77 @@
+
+
+
+
+ Bladder
+ DubsBadHygiene.Need_Bladder
+
+ To prevent the risk of disease it is important to maintain a good level of sanitation by removing or treating waste, and preventing sewage from contaminating your water supply.
+ true
+ 0.8
+ 401
+
+
+
HumanoidTerminator
+
AIRobot
+
AIPawn
+
+
+
+
+
ROMV_Fangs
+
+
+
+
+
+
+
+ Hygiene
+ DubsBadHygiene.Need_Hygiene
+
+ Good personal hygiene is important for reducing the risk of disease and keeping colonists happy and healthy.
+ true
+ Humanlike
+ 0.8
+ 321
+
+
+
HumanoidTerminator
+
AIRobot
+
AIPawn
+
+
+
+
+
+
+
+
+
+
+
+
+ DBHThirst
+ DubsBadHygiene.Need_Thirst
+
+ Water is required for many of life’s physiological processes. If this reaches zero then the creature will slowly die of dehydration.
+ true
+
+ 0.8
+ 402
+ true
+
+
+
HumanoidTerminator
+
AIRobot
+
AIPawn
+
+
+
+
+
ROMV_Fangs
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Defs/PollutionTypes/PollutionTypes.xml b/1.5/Defs/PollutionTypes/PollutionTypes.xml
new file mode 100644
index 0000000..5ee84f7
--- /dev/null
+++ b/1.5/Defs/PollutionTypes/PollutionTypes.xml
@@ -0,0 +1,44 @@
+
+
+
+
+ PollutionTypes
+
+
+
+
+
+ Filth_OilSlick
+ 30
+
+
+ FilthAsh
+ 2
+
+
+ FilthCorpseBile
+ 3
+
+
+ BurnPit
+ 15
+
+
+ Grave
+ 20
+
+
+ DeepDrill
+ 30
+
+
+ CrashedPoisonShipPart
+ 50
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Defs/RecipeDefs/Recipes_Production.xml b/1.5/Defs/RecipeDefs/Recipes_Production.xml
new file mode 100644
index 0000000..8d4e695
--- /dev/null
+++ b/1.5/Defs/RecipeDefs/Recipes_Production.xml
@@ -0,0 +1,36 @@
+
+
+
+
+ Make_ChemfuelFromFecalSludge
+
+ Make a batch of chemfuel from fecal sludge.
+ Refining chemfuel from fecal sludge
+ Cremate
+ Recipe_Cremate
+ 3000
+ GeneralLaborSpeed
+
+
+
+
+
FecalSludge
+
+
+ 75
+
+
+
+
+
FecalSludge
+
+
+
+ 35
+
+
+
BiofuelRefinery
+
+
+
+
diff --git a/1.5/Defs/ResearchProjectDefs/ResearchProjects_Hygiene.xml b/1.5/Defs/ResearchProjectDefs/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..e5f50ab
--- /dev/null
+++ b/1.5/Defs/ResearchProjectDefs/ResearchProjects_Hygiene.xml
@@ -0,0 +1,363 @@
+
+
+
+
+
+ DubsBadHygiene
+
+
+
+
+
+ SewageSludgeComposting
+
+ DubsBadHygiene
+ When properly treated and processed, sewage sludge becomes biosolids that offer a small boost to terrain fertility. Useful for harsh environments with limited space to grow. Biosolids also produce a large boost to the fertility of sand which can make it fertile when combined with irrigation.
+ 400
+ Medieval
+ 0
+ 1
+
+
+
+ MultiSplitAirCon
+
+ DubsBadHygiene
+ Build multi-split air conditioning systems with outdoor units piped to indoor units and freezers.
+ 700
+ Industrial
+
+
AirConditioning
+
+ 4
+ 0
+
+
+
+
+ Plumbing
+
+ DubsBadHygiene
+ Use pipes, plumbing fixtures, storage tanks, wind pumps and other apparatuses to deliver and drain water and sewage.
+ 400
+ Medieval
+
+
ClassicStart
+
+ 0
+ 2
+
+
+
+
+
+
+ LogBoilers
+
+ DubsBadHygiene
+ Build log boilers which can be used to heat rooms and can be placed adjacent to baths to heat bathwater.
+ 400
+ Medieval
+
+
ClassicStart
+
+ 0
+ 0
+
+
+
+ CentralHeating
+
+ DubsBadHygiene
+ Build central heating systems with radiators, hot water tanks, boilers and thermostats.
+ 400
+ Industrial
+
+
LogBoilers
+
Plumbing
+
Electricity
+
+
+
ClassicStart
+
+ 2
+ 0
+
+
+
+ GeothermalHeating
+
+ DubsBadHygiene
+ Build geothermal heaters which can be built over geysers to generate heat for central heating and hot water tanks.
+ 800
+ Industrial
+
+
CentralHeating
+
+ 3
+ 0
+
+
+
+ Saunas
+
+ DubsBadHygiene
+ Build a dedicated room with a sauna heater where colonists can relax and clean, frequent use can reduce the chance of heart attacks.
+ 300
+ Medieval
+
+
+
+ 6
+ 2
+
+
+
+ DeepWells
+
+ DubsBadHygiene
+ Drill deeper wells to access a much larger area of ground water.
+ 2000
+ Industrial
+
+
ElectricPumps
+
+ 5
+ 2.5
+
+
+
+ WashingMachines
+
+ DubsBadHygiene
+ Build washing machines that can wash clothes so well that you couldn't even tell someone died wearing it!
+ 1200
+ Industrial
+
+
ElectricPumps
+
+ 5
+ 3
+
+
+
+ WaterFiltration
+
+ DubsBadHygiene
+ Build water filtration systems which treat the water supply, eliminating the risk of disease.
+ 1500
+ Industrial
+
+
ElectricPumps
+
+ 5
+ 3.5
+
+
+
+ HygieneBionics
+
+ DubsBadHygiene
+ Craft bionics that help to process bodily waste and manage personal hygiene.
+ 2500
+ Spacer
+
+
WaterFiltration
+
Fabrication
+
Prosthetics
+
+ 6
+ 3.5
+
+
+
+
+
+
+ SepticTanks
+
+ DubsBadHygiene
+ Build septic tanks which accumulate sewage and provide moderate treatment of sewage.
+ 500
+ Medieval
+
+
Plumbing
+
+ 2
+ 1
+
+
+
+ SewageTreatment
+
+ DubsBadHygiene
+ Build large sewage treatment systems which accumulate large amounts of sewage and provide fast treatment of sewage.
+ 2000
+ Industrial
+
+
+
+
+
+
+
+
+ PitLatrine
+
+ A pit latrine that collects faeces in a hole in the ground. Must be emptied manually, or can be plumbed.\n14L per use
+ DubsBadHygiene.Building_Latrine
+
+ DBH/Things/Building/Latrine
+ Graphic_Multi
+ Cutout
+
+ (0.2,0.2,0.6,0.6)
+
+
+ Building
+ PassThroughOnly
+
+ 75
+ 800
+ 2.0
+ -5
+ -5
+ 5
+
+ true
+ 0.15
+
+
Metallic
+
Woody
+
Stony
+
+ 15
+ true
+ 8
+ true
+
+
DubsBadHygiene.PlaceWorker_SewageGrid
+
+ WoodLog
+ True
+
+
+
+ PrimitiveWell
+
+ Accesses ground water. Water must be hauled to a water tub before it can be used for washing or drinking.
+
+ DBH/Things/Building/Water/PrimitiveWell
+ Graphic_Single
+ (2,2)
+ false
+
+ Normal
+ Building
+ Building
+ PassThroughOnly
+ false
+ false
+ 60
+ true
+
+
Metallic
+
Woody
+
Stony
+
+ 25
+
+
DubsBadHygiene.PlaceWorker_WaterGrid
+
DubsBadHygiene.PlaceWorker_SewageGrid
+
+
+
+ DubsBadHygiene.CompBaseWell
+ 7.9
+
+
+
+ true
+ false
+
+ 100
+ 2000
+ 1.0
+
+ true
+ WoodLog
+
+
+
+ WashBucket
+
+ Tub of water used for personal hygiene. Must be regularly refilled with fresh water, also fills with rain water. Can also be used for drinking if thirst is enabled.
+ DubsBadHygiene.Building_washbucket
+
+ DBH/Things/Building/cleanBucket
+ Graphic_Single
+ Cutout
+
+ (0.2,0.2,0.6,0.6)
+
+
+ MinifiedThing
+
+
+
+
+
+
+
+ WaterTrough
+
+ Trough of water used by animals, a service box with a ballcock valve automatically refills the water when the level is low, also refills in rain.
+ DubsBadHygiene.Building_WaterTrough
+
+ DBH/Things/Building/animalTrough
+ Graphic_Multi
+ Cutout
+ (2,1)
+
+ MinifiedThing
+ (2,1)
+
+
+
+
+ True
+
+
+
+ BurnPit
+
+ Eliminates fecal sludge by burning it as fuel. Can also be used for disposing of corpses or other detritus. Colonists may become sick if they spend too long near burning waste.
+ DubsBadHygiene.Building_BurnPit
+ Building
+
+ DBH/Things/Building/Sewage/burnPit
+ Graphic_Single
+ false
+ false
+
+ (0.2,0,0.6,0.1)
+
+
+ Building
+ PassThroughOnly
+ 50
+ ConstructDirt
+ Normal
+ RealtimeOnly
+ 0.20
+
+ 80
+ 200
+ 0
+
+ true
+
+ 20
+
+ BulletImpact_Ground
+ false
+ 0
+
+
+
+ True
+
+
+
+
+
+ Sanitation fixture used for the disposal of human urine and faeces.\n14L per use
+ DubsBadHygiene.Building_toilet
+
+ DBH/Things/Building/Toilets/toilet
+ Graphic_Multi
+ CutoutComplex
+
+ (0.2,0.2,0.6,0.6)
+
+ (2,2)
+
+ Building
+ PassThroughOnly
+
+ 75
+ 950
+ 1.0
+ 1
+ 0.1
+ 18
+
+ 0.15
+ true
+ 8
+ true
+
+ true
+
+
+
ModernFixtures
+
+
+
+
+ ToiletStuff
+
+
+
Metallic
+
Woody
+
Stony
+
+
+ 5
+
+ 15
+
+
+
+ ToiletAdv
+ DubsBadHygiene.Building_AdvToilet
+ Comfortable, self cleaning, unblockable, super efficient smart toilet. Provides the optimum multi-functional experience with automatic cleansing and deodorization.\n7L per use
+
+ DBH/Things/Building/Toilets/adv/toilet
+ Graphic_Multi
+
+
+ 1950
+ 6
+ 0.78
+
+
+
+ CompPowerTrader
+ 75
+
+
+
+
+
AdvancedToilets
+
+
+
+
+
+ ToiletAdvStuff
+
+
+ 1
+
+
+
Metallic
+
Woody
+
Stony
+
+ 35
+
+
+
+
+
+
+ BathMat
+
+ A small mat used next to a bathtub to absorb water.
+
+ Graphic_Single
+ DBH/Things/Building/BathMat
+ (1,1)
+
+ Cloth
+ (1,1)
+
+
+
+
+
+
+
+
+ Slow to use, but very comfortable. Can be heated by placing an adjacent campfire or log boiler, or via plumbed hot water tanks. Does not require a sewage outlet.\n190L per wash
+ DubsBadHygiene.Building_bath
+
+ (2,3)
+ DBH/Things/Building/Baths/bath
+ Graphic_Multi
+ CutoutComplex
+
+ Building
+
+ 75
+ 1300
+ 1.0
+ 10
+ 0.9
+ 0.7
+ 50
+
+ 0.15
+ (1, 2)
+ PassThroughOnly
+ true
+ 8
+ true
+
+
Plumbing
+
+ Normal
+
+
+
+
Campfire
+
LogBoiler
+
+
+
+ True
+
+
+
+
+ BathtubStuff
+
+
+
Metallic
+
Woody
+
Stony
+
+
+ 5
+
+ 30
+
+
+
+
+
+ Simple shower. Requires water from water towers. Can be heated via plumbed hot water tanks. Does not require a sewage outlet.\n65L per wash
+ DubsBadHygiene.Building_Shower
+
+ (2,2)
+ DBH/Things/Building/Showers/shower
+ Graphic_Multi
+ CutoutComplex
+
+ Building
+
+ 75
+ 1300
+ 1.0
+ 3
+ 0.4
+ 20
+
+
+ 0.15
+ PassThroughOnly
+ true
+ 8
+ true
+
+
ModernFixtures
+
+
+
+
+
+ ShowerStuff
+
+
+ 1300
+
+
+ 5
+
+
+
Metallic
+
Woody
+
Stony
+
+ 20
+
+
+
+ ShowerSimple
+
+
+ (2,2)
+ DBH/Things/Building/Showers/showerSimple
+ Graphic_Multi
+ CutoutComplex
+
+
+ 800
+
+
+ 15
+
+
+
+
+
+ ShowerAdvStuff
+
+ Heats water on demand and does not need a hot water tank, cleans twice as fast\n90L per wash
+ DubsBadHygiene.Building_PowerShower
+
+ (2,2)
+ DBH/Things/Building/Showers/showerAdv
+ Graphic_Multi
+ CutoutComplex
+
+
+ 8
+ 1.2
+ 3000
+
+
+
+
+ PoolWater
+
+ 395
+ 0
+ Hard
+
+ 0
+ 18
+ 0
+ true
+
+
+
+
+
+ Joy
+ Swimming pool used for hydrotherapy, relaxation, or pleasure. Must be filled with water from water towers first.
+ DubsBadHygiene.Building_Pool
+ DBHSwimmingPool
+
+
+
+
+ Normal
+ 5
+
+
+
+
+
+
+
+ Joy
+ Hot tub used for hydrotherapy, relaxation, or pleasure. Filled with water from water towers on first use. Self-heated and does not require a sewage outlet.
+ DubsBadHygiene.Building_HotTub
+ True
+ HotTub
+
+
+ 20
+ 4
+
+
+
+
+ Joy
+
+
+
+
+
+
+ Joy
+ DBHSaunaHeaterLog
+
+ A heater designed specifically for creating a sauna room, using a sauna regularly reduces the risk of heart attacks, heats a room to 60c.
+
+
+
+
+
+
+
+ Joy
+ DBHSaunaHeaterElec
+
+ A heater designed specifically for creating a sauna room, using a sauna regularly reduces the risk of heart attacks, heats a room to 60c.
+
+
+
+
+
+
diff --git a/1.5/Defs/ThingDefs_Buildings/BuildingsD_WaterManagement.xml b/1.5/Defs/ThingDefs_Buildings/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..f64f586
--- /dev/null
+++ b/1.5/Defs/ThingDefs_Buildings/BuildingsD_WaterManagement.xml
@@ -0,0 +1,625 @@
+
+
+
+
+
+
+
+
+ DBH/Things/Building/Water/WaterWell
+ Graphic_Single
+ (1,1)
+ false
+
+ Building
+ Normal
+ Building
+ PassThroughOnly
+ false
+ false
+ 60
+ true
+
+ 50
+
+ true
+ true
+
+ 100
+ 15000
+ 1.0
+
+
+
+
+
+
+
+
+ WaterWellInlet
+
+ Accesses ground water which can be pumped by water pumps. The presence of sewage or other pollution will reduce water quality and can cause contamination.
+
+
+
Plumbing
+
+
+
+ Sewage
+
+
+ 7.9
+
+
+
+
DubsBadHygiene.PlaceWorker_WaterGrid
+
DubsBadHygiene.PlaceWorker_SewageGrid
+
DubsBadHygiene.PlaceWorker_UserGrid
+
+
+
+
+ DeepWaterWellInlet
+
+ Accesses a large area of ground water which can be pumped by water pumps. Deep wells are unaffected by pollution.
+
+ DBH/Things/Building/Water/DeepWaterWell
+ Graphic_Single
+ (1,1)
+ false
+
+
+
+ 29000
+
+
+ 100
+
+
+
DeepWells
+
+
+
+ Sewage
+
+
+ true
+ 13.7
+
+
+
+
DubsBadHygiene.PlaceWorker_DeepWaterGrid
+
DubsBadHygiene.PlaceWorker_SewageGrid
+
DubsBadHygiene.PlaceWorker_UserGrid
+
+
+
+
+ Stores water for use by plumbed fixtures. If the contained water becomes contaminated, the tank must be drained.
+ Normal
+ true
+ false
+ false
+ 60
+
+ false
+
+ false
+
+ -15
+
+
+
+
+ True
+
+
+
+
+
+
+
+
+
+ SewageOutlet
+
+ Can be placed anywhere. Sewage will pool and spread on land or disperse in water. Sewage cleans up over time; the presence of trees, water, or rain will speed this up.
+
+ DBH/Things/Building/Sewage/sewagePipe
+ Graphic_Multi
+ (3,3)
+
+ (0.05,0.05,0.95,0.95)
+
+
+ (1,1)
+ Building
+ Normal
+ RealtimeOnly
+ Building
+ PassThroughOnly
+ false
+ false
+ 60
+ DBH/UI/outlet
+ true
+
+
+
+ true
+ 1
+ None
+
+ 100
+ -40
+ -25
+ 0.2
+ 1.0
+ 2
+
+ 5
+
+
+
+ Biosolids
+
+ When properly treated and processed, sewage sludge becomes biosolids that offer a small boost to terrain fertility. Useful for harsh environments with limited space to grow. Biosolids also produce a large boost to the fertility of sand which can make it fertile when combined with irrigation.
+
+ DBH/Things/Resource/bagSoil
+ Graphic_Single
+
+
+ 100
+ 0.1
+ 5.0
+ 0.05
+
+
+
Waste
+
+ 250
+ false
+ true
+
+
+
+ FecalSludge
+
+ A barrel filled with fecal sludge. Can be dumped, burned, or composted into biosolids.
+
+ DBH/Things/Resource/BurnBarrel
+ Graphic_Single
+
+
+ 100
+ 1.0
+ 0.05
+ -100
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/ChineseSimplified/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..5e23b36
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ 卫生
+
+ 殖民者卫生相关的内容。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/ChineseSimplified/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..eb36e70
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,399 @@
+
+
+
+
+ 排泄需求率
+
+ 作弊
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+ 膀胱需求下降的乘数
+
+
+ 污染几率
+
+ 作弊
+
+ 10%
+
+ 25%
+
+ 50%
+
+ 100%
+
+ 125%
+
+ 150%
+
+ 175%
+
+ 200%
+
+ 殖民者将未经处理的水污染的几率乘数
+
+
+ 肥料强度
+
+ 作弊
+
+ 160%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 108%
+
+ 106%
+
+ 104%
+
+ 102%
+
+ 肥料对肥力的影响乘数
+
+
+ 肥料寿命
+
+ 作弊
+
+ 240天 (3年)
+
+ 180天
+
+ 120天 (2年)
+
+ 80天
+
+ 60天 (1年)
+
+ 40天
+
+ 30天
+
+ 20天
+
+ 10天
+
+ 1天
+
+ 施肥后土地肥力能保持多久
+
+
+ 污水产出量
+
+ 作弊
+
+ 25%
+
+ 50%
+
+ 100%
+
+ 150%
+
+ 200%
+
+ 250%
+
+ 每次用水在排污口产生的污水量乘数
+
+
+ 卫生需求率
+
+ 作弊
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+ 卫生需求下降的乘数
+
+
+ 灌溉强度
+
+ 作弊
+
+ 240%
+
+ 220%
+
+ 200%
+
+ 180%
+
+ 160%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 灌溉对肥力的影响乘数
+
+
+ 管道可见性
+
+ 隐藏
+
+ 隐藏在地板下
+
+ 总是可见
+
+ 管道的展现方式
+
+
+ 污水自然净化率
+
+ 作弊
+
+ 300%
+
+ 200%
+
+ 150%
+
+ 125%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 10%
+
+ 0%
+
+ 地表污水随时间推移而逐渐被净化的乘数
+
+
+ 单元污水限制
+
+ 作弊
+
+ 400%
+
+ 200%
+
+ 100%
+
+ 80%
+
+ 60%
+
+ 20%
+
+ 设置单元格内可以堆积的污水数量乘数
+
+
+ 污水处理率
+
+ 作弊
+
+ 200%
+
+ 150%
+
+ 125%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 10%
+
+ 化粪池和污水处理池处理污水的乘数
+
+
+ 基础地形肥沃度
+
+ 作弊
+
+ 180%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 100%
+
+ 90%
+
+ 80%
+
+ 60%
+
+ 40%
+
+ 20%
+
+ 设置地形肥沃度的基础值乘数
+
+
+ 饮水需求率
+
+ 作弊
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+ 饮水需求下降的乘数
+
+
+ 热水消耗率
+
+ 作弊
+
+ 50%
+
+ 75%
+
+ 100%
+
+ 125%
+
+ 150%
+
+ 200%
+
+ 洗澡时消耗的热水量乘数
+
+
+ 抽水能力
+
+ 作弊
+
+ 200%
+
+ 150%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 水泵的容量乘数
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/ChineseSimplified/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..32a5da9
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,72 @@
+
+
+
+
+ 不良卫生习惯
+
+ 不良的卫生习惯会增加弭患疾病的风险,并影响社交活动。
+
+ 中等
+
+ 严重
+
+ 极重
+
+
+ 霍乱
+
+ 霍乱是一种传染性疾病,会引起严重的水样腹泻,如果不及时治疗,将可能导致脱水甚至死亡。
+
+ 中等
+
+ 严重
+
+ 极重
+
+ 极重
+
+
+ 脱水
+
+ 脱水是一种当体液(主要是水)流失量超过摄入量时可能发生的状态。
+
+ 轻微
+
+ 较轻
+
+ 中等
+
+ 较重
+
+ 极重
+
+
+ 腹泻
+
+ 排便成水样,松散不成形。也就是俗称的拉肚子。
+
+ 恢复
+
+ 加重
+
+ 初期
+
+
+ 痢疾
+
+ 痢疾是一种胃肠炎,会导致便血。
+
+ 中等
+
+ 严重
+
+ 极重
+
+
+ 清洗
+
+ 清洗
+
+ 清洗
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/ChineseSimplified/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..78bad38
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,18 @@
+
+
+
+
+ 仿生膀胱
+
+ 一个已植入的的仿生膀胱。
+
+ 仿生膀胱
+
+
+ 卫生增强装置
+
+ 一个已植入的卫生增强装置。
+
+ 卫生增强装置
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/IncidentDef/Incidents_Map_Misc.xml b/1.5/Languages/ChineseSimplified/DefInjected/IncidentDef/Incidents_Map_Misc.xml
new file mode 100644
index 0000000..c03c3e2
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/IncidentDef/Incidents_Map_Misc.xml
@@ -0,0 +1,9 @@
+
+
+
+ 被污染的水塔
+ 水塔被污染,这将对殖民者的健康构成严重威胁!清空水塔以排除污染物,或者建立水处理系统。
+ 被污染的水塔
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/ChineseSimplified/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..cac5807
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,91 @@
+
+
+
+
+ 清洁便盆。
+
+
+ 清除TargetA的阻塞。
+
+
+ 把水带给TargetB。
+
+
+ 饮用来自TargetA的水。
+
+
+ 饮用地表水。
+
+
+ 用TargetA的水装满水瓶。
+
+
+ 储存来自TargetA的水。
+
+
+ 清空TargetA。
+
+
+ 清空TargetA。
+
+
+ 清空TargetA。
+
+
+ 在野外排泄。
+
+
+ 填充TargetA。
+
+
+ 装入TargetA。
+
+
+ 施肥。
+
+
+ 装满水缸。
+
+
+ 补充水
+
+
+ 清除污水。
+
+
+ 洗澡。
+
+
+ 用TargetA洗澡。
+
+
+ 掀翻TargetA。
+
+
+ 激活TargetA。
+
+
+ 从TargetA里取出堆肥。
+
+
+ 从TargetA里取出衣物。
+
+
+ 使用TargetA。
+
+
+ 用TargetA清洁。
+
+
+ 用自然水源洗澡。
+
+
+ 洗手。
+
+
+ 清洁TargetA。
+
+
+ 观看洗衣机运作。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/JobDef/JoyGivers.xml b/1.5/Languages/ChineseSimplified/DefInjected/JobDef/JoyGivers.xml
new file mode 100644
index 0000000..cc55cbb
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/JobDef/JoyGivers.xml
@@ -0,0 +1,10 @@
+
+
+
+
+ 游泳。
+
+
+ 放松。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/ChineseSimplified/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..24aa1a4
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,7 @@
+
+
+
+
+ 水疗
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/ChineseSimplified/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..7875b98
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,14 @@
+
+
+
+
+
+ 卫生标签
+ 用于建造菜单"卫生"部分的快捷键
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/ChineseSimplified/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..0868d48
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 膀胱
+
+ 为了预防疾病风险,通过净化或处理废弃物,防止污水污染饮用水源,保持良好的卫生水平非常重要。
+
+
+ 饮水
+
+ 生命的许多生理过程都需要水。当该需求为零时,生物将慢慢死于脱水。
+
+
+ 卫生
+
+ 良好的个人卫生对于降低疾病风险和使殖民者保持快乐非常重要。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/ChineseSimplified/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..256b133
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,18 @@
+
+
+
+
+ 植入仿生膀胱
+
+ 植入仿生膀胱。
+
+ 正在植入仿生膀胱。
+
+
+ 植入卫生增强装置
+
+ 植入卫生增强装置。
+
+ 正在植入卫生增强装置。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/ChineseSimplified/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..78942c4
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,11 @@
+
+
+
+
+ 提炼化合燃料
+
+ 用粪便污泥制造化合燃料。
+
+ 正在用粪便污泥制造化合燃料。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/ChineseSimplified/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..8c182c9
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,104 @@
+
+
+
+
+ 电力淋浴器
+
+ 解锁电力淋浴设备,缩短淋浴时间并提高舒适度。
+
+
+ 智能马桶
+
+ 解锁智能马桶,提高水利用率和舒适度。
+
+
+ 集中供暖
+
+ 解锁暖气、热水箱、太阳能加热器、锅炉和化合燃料锅炉。
+
+
+ 深水井
+
+ 钻探更深的井以获得更大面积的地下水。
+
+
+ 电力抽水机
+
+ 解锁用电力驱动并稳定工作的抽水设备。
+
+
+ 灭火系统
+
+ 解锁可以产生水雾抑制火灾的消防喷淋头。
+
+
+ 热水按摩浴缸
+
+ 解锁热水按摩浴缸,用于水疗放松,在清洁的同时提高娱乐和舒适度。
+
+
+ 卫生仿生
+
+ 解锁有助于处理身体废物和管理个人卫生的仿生体。
+
+
+ 灌溉
+
+ 解锁可以灌溉土壤以提高肥沃度的喷灌机。
+
+
+ 工业规模化
+
+ 解锁工业级别的抽水和储水设备。
+
+
+ 供热
+
+ 解锁建造能提高房间温度并给相邻洗浴用水加热的锅炉。
+
+
+ 现代浴室设施
+
+ 解锁建造现代风格的浴室设施,包括马桶和淋浴器等。
+
+
+ 多分体空调
+
+ 解锁多分体空调系统,使用通风管道将复数室外机、室内机和制冷机连接在一起。
+
+
+ 管道系统
+
+ 解锁管道、卫生设备、蓄水设备、水井、抽水机和其他基础给排水设备。
+
+
+ 化粪池
+
+ 解锁化粪池,可以过滤污水并提供基础的污水处理。
+
+
+ 堆肥
+
+ 解锁堆肥技术。废水和粪便经过适当处理和发酵后营养物质丰富,可以作为生物有机肥料提高土壤肥沃度。
+
+
+ 污水处理
+
+ 解锁污水处理系统,快速处理大量污水。
+
+
+ 游泳池
+
+ 解锁建造游泳池。
+
+
+ 洗衣机
+
+ 解锁可清洗衣服的洗衣机,这台机器如此优秀,以至于殖民者甚至无法发现这件衣服曾被死人穿过!
+
+
+ 水过滤
+
+ 解锁水过滤系统,用水经过处理能够消除疾病风险。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/ChineseSimplified/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..9d8a381
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+
+ 卫生与温控
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/ChineseSimplified/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..ec5b4fe
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,10 @@
+
+
+
+
+ 私人浴室
+
+
+ 公共浴室
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/StatDef/Needs_Misc.xml b/1.5/Languages/ChineseSimplified/DefInjected/StatDef/Needs_Misc.xml
new file mode 100644
index 0000000..12b96c1
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/StatDef/Needs_Misc.xml
@@ -0,0 +1,8 @@
+
+
+
+ 干渴率乘数
+ 一个生物对饮水需求速度的乘数。
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/ChineseSimplified/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..57e889b
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 排尿意识系数
+
+ 生物排尿意识水平下降的速度系数。
+
+
+ 卫生系数
+
+ 生物卫生水平下降的速度系数。
+
+
+ 干渴率乘数
+
+ 一个生物对饮水需求速度的乘数。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/ChineseSimplified/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..65edf0e
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ 池水
+
+ 水
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..9b7497d
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,10 @@
+
+
+
+
+ 卫生
+
+
+ 垃圾
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..88a6ebb
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 通风管道
+
+ 用于连接空调设备的通风管道。
+
+
+ 管道阀门
+
+ 打开或关闭管道之间的连接。
+
+
+ 管道
+
+ 用于连接卫生设备的管道。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..72f6947
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,79 @@
+
+
+
+
+ 洗手池
+
+ 简单干净的洗手池,提高房间的清洁度。
+
+
+ 浴缸
+
+ 需要大量的水,清洗速度慢,提高休息、娱乐和舒适。除了管道,还可以通过临近的篝火加热,不需要排污口。
+
+
+ 燃烧坑
+
+ 用于焚烧尸体,衣物或成瘾品等的土坑,以粪便作为燃料。长期滞留在作用范围内可能对健康造成不良影响。
+
+
+ 水池
+
+ 简洁而干净的小水池,使用厕所后可以清洁双手。
+
+
+ 厨房水槽
+
+ 与洗手池有相同功能的厨房水槽,大幅提高房间的清洁度。
+
+
+ 猫砂盆
+
+ 小型动物的室内粪便和尿液收集箱。
+
+
+ 茅厕
+
+ 一种用贮粪池收集粪便的厕所,没有水也可以使用。集满时必须手动清空。
+
+
+ 井
+
+ 可以从井里取水。(如果饮水需求开启,也可以用来饮水)
+
+
+ 电力淋浴器
+
+ 采用4喷口110mm大型动力花洒,使酸痛的肌肉得到放松。可以通过热水箱获得热水,不需要排污口。
+
+
+ 淋浴喷头
+
+ 简单的淋浴器,清洗快速,需要水,可以通过热水箱获得热水,不需要排污口。
+
+
+ 淋浴器
+
+ 简单的淋浴器,清洗快速,需要水,可以通过热水箱获得热水,不需要排污口。
+
+
+ 智能马桶
+
+ 用于处理尿液和粪便的卫生用具,节水效果是标准马桶的两倍。
+
+
+ 隔间门
+
+ 隔间门只能阻挡人的视线,方便使用卫生设施,并不会分割房间和防止热量流失。
+
+
+ 马桶
+
+ 用于处理尿液和粪便的卫生用具。
+
+
+ 水盆
+
+ 用于清洁身体的简易水盆,也可以饮用,需要定期补充淡水。(殖民者会在附近的人工或自然水源中取水)
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..b1f0d9e
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 游泳池
+
+ 用于水疗,放松或娱乐的游泳池,使用时需要从水塔中注入水。
+
+
+ 热水按摩浴缸
+
+ 用于水疗放松,在清洁的同时提高娱乐和舒适度。第一次使用时会从水塔注入水,自行加热,不需要排污口。
+
+
+ 洗衣机
+
+ 这台机器如此优秀,以至于殖民者甚至无法发现这件衣服曾被死人穿过!
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..1d51387
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,64 @@
+
+
+
+
+ 深水井
+
+ 可以通过水泵获取大量地下水,不受地面污水影响。
+
+
+ 电力水泵
+
+ 将井里的水抽到水塔。抽水能力: 1500 L/天
+
+
+ 水泵站
+
+ 将井里的水抽到水塔。抽水能力: 10000 L/天
+
+
+ 排污口
+
+ 可以放置在任何地方。污水会出现在地上或流进水中。随着时间推移,污水会慢慢消失。树木,河湖或雨水能加快去污水的速度。
+
+
+ 化粪池
+
+ 随时间逐渐清理污水的设备。污水会先进入化粪池,达到满负荷后,多余的污水将不经处理直接从排污口排出。
+
+
+ 污水处理池
+
+ 随时间逐渐清理污水的设备。污水会首先进入污水处理设施,处理90%,剩余10%通过排污口排出。达到满负荷后,多余的污水将不经处理,直接从排污口排出。
+
+
+ 集水桶
+
+ 用于存放地下水,如果集水桶中的水被污染,必须排空才能确保安全。可以洗手。
+
+
+ 巨型水塔
+
+ 用于存放水泵抽取的地下水,如果水塔中的水被污染,必须排空才能确保安全。
+
+
+ 水塔
+
+ 用于存放水泵抽取的地下水,如果水塔中的水被污染,必须排空才能确保安全。
+
+
+ 水过滤器
+
+ 清除99.99%的细菌!过滤地下水和水塔中储存的水,消除疾病风险。
+
+
+ 水井
+
+ 可以通过水泵获取地下水,如果取水范围内存在污水或其他污染物,会降低水质并有卫生疾病风险。
+
+
+ 风力水泵
+
+ 将井里的水抽到水塔。抽水能力: 3000 L/天
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..82a6ece
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,77 @@
+
+
+
+
+ 空调室内机
+
+ 多分体空调机组。室内机放置在房间内,用通风管道与室外机相连,制冷量100 U。
+
+
+ 空调室外机
+
+ 多分体空调机组。室外机放置在室外,用通风管道与室内机或制冷机相连,通过设置变换制冷量,范围从100到1000 U。
+
+
+ 吊扇
+
+ 通过空气循环降低室内温度,装有内置的吊灯。
+
+
+ 吊扇(1x1)
+
+ 通过空气循环降低室内温度,装有内置的吊灯。
+
+
+ 电加热器
+
+ 电力加热装置。为暖气和热水箱提供热水。具体加热量可手动设置,可用温控器控制。
+
+ 供能模式
+
+
+ 大型制冷机
+
+ 用于制造冷库的大型制冷机,用通风管道与室外机相连,制冷量300 U。
+
+
+ 燃气锅炉
+
+ 加热装置。为暖气和热水箱提供2000 U的加热量。以化合燃料为燃料,可用温控器控制。
+
+ 供能模式
+
+
+ 热水箱
+
+ 为淋浴器和浴缸储存热水,通过锅炉或加热器加热。
+
+
+ 锅炉
+
+ 加热装置。为暖气和热水箱提供2000 U的加热量。以原木为燃料。
+
+ 供能模式
+
+
+ 大型暖气
+
+ 使用循环的热水为房间供热,效果是普通暖气的3倍,适用于较大的房间,发热量300 U。
+
+
+ 暖气
+
+ 使用循环的热水为房间供热,发热量100 U。
+
+
+ 太阳能加热器
+
+ 太阳能加热装置。加热量随光照和环境温度变化,范围在0到2000 U之间。
+
+ 供能模式
+
+
+ 温控器
+
+ 用于控制电力和燃气锅炉,通过管道连接。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..50bc44a
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ 堆肥器
+
+ 堆肥容器。能够将废水和粪便转化为有机生物肥料,提高地形的肥沃度。
+
+
+ 消防喷淋头
+
+ 遇到火焰或高温时触发,对控制区域喷洒水雾,可以手动开启。
+
+ 打开消防喷淋头
+
+
+ 喷灌器
+
+ 每天清晨为所在区域浇水,大幅提高土壤肥力。喷洒需要消耗大量的水。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Effecter_Misc.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Effecter_Misc.xml
new file mode 100644
index 0000000..51b1bb5
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Effecter_Misc.xml
@@ -0,0 +1,13 @@
+
+
+
+
+ 尘埃
+
+
+ 尘埃
+
+
+ 尘埃
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..64e2b36
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,15 @@
+
+
+
+
+ 粪便
+
+
+ 尿
+
+ 地上的尿。
+
+
+ 污水
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..23be01a
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,14 @@
+
+
+
+
+ 仿生膀胱
+
+ 先进的人造膀胱。化学循环系统将人体产生的废物分解成分子并被循环利用,其余的则以气体的形式被释放,其不利之处在于使用者将会产生更多的废气。
+
+
+ 卫生增强装置
+
+ 这种装置能够释放纳米机器人清除使用者皮肤和毛发上的死皮细胞与其他碎屑,形成无害物释放到空气中。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..521e5dc
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 便盆
+
+ 盛放卧床患者尿液和粪便的容器。
+
+
+ 生物有机肥料
+
+ 用粪便污泥发酵制成的肥料。
+
+
+ 粪便污泥
+
+ 一个装满粪便污泥的桶,可以倾倒,焚烧,或者通过堆肥制作成生物有机肥料。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Mote_Visual.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Mote_Visual.xml
new file mode 100644
index 0000000..d63c427
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/Mote_Visual.xml
@@ -0,0 +1,28 @@
+
+
+
+
+ 尘埃
+
+
+ 尘埃
+
+
+ 尘埃
+
+
+ 尘埃
+
+
+ 尘埃
+
+
+ 尘埃
+
+
+ 尘埃
+
+
+ 尘埃
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..c53d589
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+ 尘埃
+ 尘埃
+ 尘埃
+ 尘埃
+ 尘埃
+ 尘埃
+ 尘埃
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..df9e10a
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,107 @@
+
+
+
+
+ 冷水澡
+
+ 我洗了一个清爽的冷水澡。
+
+
+ 冷水淋浴
+
+ 我冲了一个清爽的冷水澡。
+
+
+ 水是冷的
+
+ 没有热水!这太糟糕了。
+
+
+ 喝了清水
+
+ 喝了洁净清爽的水。
+
+
+ 喝了脏水
+
+ 喝了受污染的水。
+
+
+ 喝尿
+
+ 喝了自己的尿。
+
+
+ 温水泳池
+
+ 温水泳池非常令人放松。
+
+
+ 热水澡
+
+ 我洗了一个不错的热水澡。
+
+
+ 热水淋浴
+
+ 我冲了一个不错的热水澡。
+
+
+ 随地大小便
+
+ 我不得不在外面解决...
+
+
+ 脏脏的
+
+ 我不能再忍受,只好弄脏了自己。
+
+
+ 尴尬
+
+ 有人从我身边经过,而我正在使用厕所,天啊!
+
+
+ 解放自我
+
+ 啊啊啊~ 舒服多了。
+
+
+ 可怕的浴室
+
+ 那浴室真是可怕的地方。
+
+ 体面的浴室
+
+ 我的浴室很体面。我喜欢这里。
+
+ 小有印象的浴室
+
+ 我的浴室令人小有印象。我喜欢这里。
+
+ 印象深刻的浴室
+
+ 我的浴室令人印象深刻。我很喜欢!
+
+ 印象非常深刻的浴室
+
+ 我的浴室令人印象非常深刻。没有地方比这更好了!
+
+ 印象极度深刻的浴室
+
+ 我的浴室令人印象极度深刻。没有地方比这更好了!
+
+ 难以置信的浴室
+
+ 我的浴室令人难以置信。没有地方比这更好了!
+
+ 奇迹非凡的浴室
+
+ 我的浴室是无法想象的人间胜境。太完美了。
+
+
+ 尴尬
+
+ 有人在看我洗澡,这让我觉得很不舒服。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/ChineseSimplified/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..6291e1c
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,30 @@
+
+
+
+
+ 憋不住了
+
+ 我要上厕所!马上!憋不住了!
+
+ 想上厕所
+
+ 我想上厕所。
+
+
+ 臭气熏天
+
+ 我闻起来像在臭水坑里游过泳。
+
+ 肮脏
+
+ 我觉得身上脏兮兮的。
+
+ 干净
+
+ 我感到干净而清爽。
+
+ 一尘不染
+
+ 比我更干净的人?不存在的!
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/ChineseSimplified/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..3634063
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ 洁癖
+
+ [PAWN_nameDef]总是被身上的细菌所困扰,清洁自己的次数会比正常人要频繁的多。
+
+ 讲卫生
+
+ [PAWN_nameDef]很讲卫生,会经常清洁自己。
+
+ 不讲卫生
+
+ [PAWN_nameDef]很不讲卫生,很少清洁自己。
+
+ 邋遢
+
+ [PAWN_nameDef]对卫生的要求很低,不到万不得已,绝不会清洁自己。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/ChineseSimplified/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..5b34a56
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,60 @@
+
+
+
+
+ 清理便盆
+
+ 清理
+
+ 清理
+
+
+ 清除阻塞
+
+ 清除阻塞
+
+ 清除阻塞
+
+
+ 管理流体
+
+ 管理流体
+
+ 管理流体
+
+
+ 清理便盆
+
+ 清理
+
+ 清理
+
+
+ 排水
+
+ 排水
+
+ 排空
+
+
+ 施肥
+
+ 施肥
+
+ 施肥
+
+
+ 掀翻污水
+
+ 掀翻污水
+
+ 掀翻污水
+
+
+ 清洁病人
+
+ 清洁
+
+ 清洁
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/ChineseSimplified/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..55d927e
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,67 @@
+
+
+
+
+ 清洁室内污物
+
+ 正在清洁
+
+ 清洁
+
+
+ 完成燃烧坑的清单
+
+ 焚烧于
+
+ 焚烧
+
+
+ 清空化粪池
+
+ 清空
+
+ 清空
+
+
+ 填满堆肥器
+
+ 填满
+
+ 填满
+
+
+ 放入清洗的衣物
+
+ 放入
+
+ 放入
+
+
+ 装水
+
+ 装水
+
+ 装水
+
+
+ 将污水收集到桶中
+
+ 清除污水中
+
+ 清除污水
+
+
+ 从堆肥器中取出堆肥
+
+ 取出堆肥于
+
+ 取出堆肥
+
+
+ 取出清洗的衣物
+
+ 取出
+
+ 取出
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseSimplified/Keyed/DubsHygiene.xml b/1.5/Languages/ChineseSimplified/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..047709a
--- /dev/null
+++ b/1.5/Languages/ChineseSimplified/Keyed/DubsHygiene.xml
@@ -0,0 +1,449 @@
+
+
+
+
+
+ 拆除管道
+
+ 拆解指定的管道
+
+ 清除污水
+
+ 清除地面的污水并将其放入桶中
+
+ 拆除管道
+
+ 拆除通风管道
+
+
+
+ 缺少水塔
+
+ 需要一座水塔或一个集水桶来储存抽出的水
+
+ 缺少水井
+
+ 需要水井才能抽水
+
+ 缺少水泵
+
+ 需要水泵才能抽水
+
+ 辐射水污染
+
+ 有毒尘埃持续2天后,有毒沉积物会污染与水井相连的所有蓄水设备。\n\n为了避免上述情况,你需要提前用阀门断开水井的连接,用储存的水渡过难关。\n\n你也可以使用深水井获取未受污染的水,或安装水处理设施来过滤污染物。
+
+
+ 制冷量低,请提高室外机的功率
+
+ 访问受限
+
+ 仅限{0}
+
+ 仅限囚犯
+
+ 排污口堵塞
+
+ 排污口被垃圾堵塞,污水在周围蔓延。\n\n建造更多出水口或用化粪池提供缓冲区,降低排污压力。
+
+ 水温低
+
+ 水箱的水温太低,这会让希望使用热水的殖民者感到恼火。n\n开启锅炉提高供暖效力或增加更多的水箱,确保热水消耗。
+
+ 必须放在有地下水的区域上
+
+ 装置必须放在室内
+
+ 需要水塔
+
+ 指定任务需要膀胱需求,{0}没有相关需求
+
+
+ 缺少堆肥材料
+
+ 缺少蓄水设备
+
+ 缺少排污设备
+
+ 需要管道
+
+ 无法到达
+
+
+ 太热: x{0}
+
+ 淋雨: x{0}
+
+ 效能: x{0}
+
+ 房间: x{0}
+
+ 总和: x{0}
+
+ 肮脏的手 - 疾病风险
+
+
+ 下水道堵塞
+
+ 排水管堵塞,需要清洁工疏通清理。
+
+
+ 水污染
+
+ 水源被污染,蓄水设备储存的水可能会受影响。
+
+ 蓄水设备受污染
+
+ 一个蓄水设备受到污染,这将对殖民者健康构成严重威胁!请移动水塔、排污口或建立水处理系统。
+
+
+ 由于糟糕的个人卫生,{0}染上了{1}
+
+ 由于饮用未经处理的水,{0}染上了{1}
+
+ 由于饮用被污染的水,{0}染上了{1}
+
+
+
+ 改变性别限制
+
+ 医用
+
+ 仅限病人使用
+
+ 仅限病人
+
+ 攻击直升机
+
+ 不分性别
+
+ 连接床
+
+ 连接到附近的床上以确定所有权
+
+ 取消连接
+
+ 取消与床的连接
+
+ 仅限动物
+
+ 使用检查
+
+ 角色在使用设施之前会检查房间中是否有任何物件已被预留,以防角色同时使用相同的洗手池和马桶
+
+
+
+ 水温: {0}
+
+ 已连接加热: {0} U ({1})
+
+ 已连接制冷: {0} U ({1})
+
+ 加热量: {0} U
+
+ 制冷量: {0} U
+
+ 加热单位/功率: {0} U / {1} W
+
+ 制冷单位/功率: {0} U / {1} W
+
+ 效能: {0}
+
+ 效能: {0} 过热
+
+ 最低温度: {0}
+
+ 降低功率
+
+ 降低加热能力
+
+ 提高功率
+
+ 提高加热能力
+
+ 热水容量: {0}
+
+ 温控器过载
+
+ 强制锅炉连续运行
+
+ 排气口必须保持畅通
+
+ 太冷
+
+ 有屋顶
+
+ 效能: {0}
+
+ 散热器温度: {0}
+
+ 温控器失去控制...\n将所有连接的热水箱设置为恒温模式
+
+ 恒温控制
+
+ 水箱温度较低时开启锅炉1小时,如果禁用此功能,锅炉将忽略恒温控制,连续运行。
+
+
+
+ 洗手
+
+ 洗澡
+
+ 使用
+
+ 利用率 = {0}
+
+ 需要管道
+
+ 下水道堵塞
+
+ 疏通便池
+
+ 运行中...
+
+ 立即取出
+
+ 取出: {0}/{1}
+
+ 没有脏衣服
+
+ 没有空间
+
+ 没有高质量的预留水源
+
+
+ 流量 +50L
+
+ 流量 -50L
+
+ 装填速率
+
+ 喝
+
+ 切换阀门
+
+ 打开或关闭阀门
+
+ 阀门关闭
+
+
+ 抽水量: {0} L/天
+
+ 水容量: {0} L/天
+
+ 总抽水量/总水容量: {0}/{1} L/天 ({2})
+
+
+ 储水: {0} L
+
+ 总储水: {0} L
+
+
+ 污染等级: {0}
+
+
+ 缩小半径
+
+ 增大半径
+
+ 质量: 未处理 - 低疾病风险
+
+ 质量: 受污染! - 高疾病风险!
+
+ 质量: 已处理 - 安全
+
+
+ 放空水箱
+
+ 排空水箱并清除污染
+
+
+ 水值:{0} for {1}L
+
+ 水
+
+
+ 与{0}井范围重叠
+
+
+
+ 污水 {0}
+
+ 排水
+
+ 设置粪便污泥排入桶中的水平。粪桶可以移动,翻倒,燃烧或变成生物固体
+
+ 处理能力: {0} L/天 未处理: {1} L ({2})
+
+ 不要排空
+
+ 排水池在{0}
+
+
+ 粪池容量: {0}
+
+ 粪池已满, 需要马上清空!
+
+ 踢倒
+
+ 将污水洒到地上
+
+
+
+ 包含堆肥{0}/{1}
+
+ 包含粪便污泥{0}/{1}
+
+ 堆肥
+
+ 堆肥进度{0} ({1})
+
+ 堆肥超出理想温度
+
+ 理想的堆肥温度
+
+ 种植区域播种已禁用
+
+ 未找到肥料
+
+ 肥料区域
+
+ 划定施用肥料的区域
+
+ 添加区域
+
+ 删除区域
+
+
+
+ 优先室内清洁
+
+ 室内清洁工作优先级较其他清洁工作要高。
+
+ Mod卸载助手
+
+ 步骤:\n\n1:按确认后立即保存游戏\n2:退出主菜单并禁用Mod并重新启动游戏\n3:加载您的存档,忽略任何异常并再次保存\n再一次加载存档,此时应卸载成功!
+
+ 宠物口渴
+
+ 宠物也有口渴需求
+
+ 需要重新启动才能将质量和艺术信息重新添加。\n\n现在重新启动?
+
+ 设施的质量和艺术信息
+
+ 为卫生设施添加质量和艺术信息,例如马桶
+
+ 退到主菜单更改
+
+ 边缘石油(Rimefeller)联动
+
+ 启用将为边缘石油mod中的炼油厂和加工厂增加水需求
+
+ 边缘核能(Rimatomics)联动
+
+ 启用将为边缘核能mod中的冷却塔增加水需求
+
+ 禁用特定体型、种族或特定hediff处于活跃状态的相关需求
+
+ 需求过滤器
+
+ 禁用膀胱需求
+
+ 禁用卫生需求
+
+ 激活需求
+
+ 勾选启用
+
+ 囚犯
+
+ 相关需求是否适用于囚犯
+
+ 访客招募(Hospitality)的访客
+
+ 相关需求是否适用于访客招募mod的访客
+
+ 隐私
+
+ 殖民者在洗澡或如厕时会关心隐私
+
+ 冷却效率
+
+ 高温是否像标准情况一样影响冷却效率
+
+ 雨水灌溉
+
+ 雨水会有与喷淋头相同的灌溉效果,但会降低游戏性能
+
+ 禁用需求
+
+ 完全禁用所有需求,覆盖所有设置
+
+ 允许mod饮料
+
+ 允许目标饮用和携带mod饮料来满足饮水需求\n默认情况下已支持联动菜园子(VGP)和边缘美食(RimCuisine),其他mod需要对def进行扩展
+
+ 携带水壶
+
+ 允许目标在远行时将水壶自动带在身上\n\n可能不适用于某些mod,对于战斗扩展(CombatExtended),你需要手动管理目标身上的物品以使其携带水壶,否则水壶会被不断丢弃
+
+ 需求过滤器
+
+ 主要功能
+
+ 实验性功能
+
+ 宠物的膀胱
+
+ 启用宠物的膀胱需求,并为宠物添加相关的排泄用品
+
+ 野生动物膀胱
+
+ 启用所有野生动物的膀胱需求,这可能会变得混乱
+
+ 饮水需求
+
+ 对拥有饮水需求的所有殖民者启用饮水需求,增加饮水设备和水壶,需要重新启动游戏
+
+ 肥料可见
+
+ 使肥料坐标方格可见
+
+ 非人类殖民者
+
+ 允许非人类的殖民者拥有相关需求,你可以通过设置令特定的生物禁用相关需求
+
+ 附加功能
+
+ 轻量模式(简化Mod)
+
+ 将本Mod切换到简化模式,移除管道、水和污水管理以及任何与卫生和水需求没有直接关系的建筑物和工作。\n\n这将阻止加载许多defs并需要重新启动。\n\n如果你是在已有存档的基础上进行简化,可能需要在激活后保存并重新加载
+
+ 你必须在激活轻量模式后重新加载游戏\n\n如果你是在已有存档的基础上进行简化,可能需要在激活后保存并重新加载
+
+ 被动式冷却装置须使用水
+
+ 被动式冷却装置去除了木材、燃料消耗,取而代之的是消耗水,类似于水盆。
+
+ SoS2适配
+
+ 将水和污水处理添加到生命支持系统中,并为飞船结构添加管道功能。
+
+ 库存水x{0}
+
+ 卫生与温控 Wiki
+
+ 打开卫生与温控的维基页面
+
+ 生存模式
+
+ 大幅缩小浅层地下水和围绕地表水的地下水面积\n\n不需要重新开始新游戏。
+
+ 水栽培联动
+
+ 水栽培植物盆需要管道连接水箱以获得水,水箱只有在通电状态下才能供水,水栽培的植物只会因缺水而不会因为断电而死亡。
+
+ 只有重启游戏才能添加或删除与饮水相关的内容\n\n立即重启?
+
+
\ No newline at end of file
diff --git "a/1.5/Languages/ChineseSimplified/\347\277\273\350\257\221\357\274\232\350\276\271\347\274\230\346\261\211\345\214\226\347\273\204 QQ\347\276\244[690258623].txt" "b/1.5/Languages/ChineseSimplified/\347\277\273\350\257\221\357\274\232\350\276\271\347\274\230\346\261\211\345\214\226\347\273\204 QQ\347\276\244[690258623].txt"
new file mode 100644
index 0000000..55f68fb
--- /dev/null
+++ "b/1.5/Languages/ChineseSimplified/\347\277\273\350\257\221\357\274\232\350\276\271\347\274\230\346\261\211\345\214\226\347\273\204 QQ\347\276\244[690258623].txt"
@@ -0,0 +1,6 @@
+翻译:
+-简中:BOXrsxx
+-繁中:BiscuitMiner
+边缘汉化组出品。
+
+欢迎加入QQ群[690258623],在这里,你可以跟大家分享你的游戏心得,也可以向大家提出在游戏中遇到的问题。边缘汉化组的新作和更新都会在本群发布,欢迎大家提出意见和建议,也可以推荐优秀Mod给我们汉化。
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/ChineseTraditional/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..a394272
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ 衛生
+
+ 殖民者衛生相關的內容。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/ChineseTraditional/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..40c5cce
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,399 @@
+
+
+
+
+ 排泄需求率
+
+ 作弊
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+ 膀胱需求下降的乘數
+
+
+ 污染幾率
+
+ 作弊
+
+ 10%
+
+ 25%
+
+ 50%
+
+ 100%
+
+ 125%
+
+ 150%
+
+ 175%
+
+ 200%
+
+ 殖民者將未經處理的水污染的幾率乘數
+
+
+ 肥料強度
+
+ 作弊
+
+ 160%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 108%
+
+ 106%
+
+ 104%
+
+ 102%
+
+ 肥料對肥力的影響乘數
+
+
+ 肥料壽命
+
+ 作弊
+
+ 240天 (3年)
+
+ 180天
+
+ 120天 (2年)
+
+ 80天
+
+ 60天 (1年)
+
+ 40天
+
+ 30天
+
+ 20天
+
+ 10天
+
+ 1天
+
+ 施肥后土地肥力能保持多久
+
+
+ 污水產出量
+
+ 作弊
+
+ 25%
+
+ 50%
+
+ 100%
+
+ 150%
+
+ 200%
+
+ 250%
+
+ 每次用水在排污口產生的污水量乘數
+
+
+ 衛生需求率
+
+ 作弊
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+ 衛生需求下降的乘數
+
+
+ 灌溉強度
+
+ 作弊
+
+ 240%
+
+ 220%
+
+ 200%
+
+ 180%
+
+ 160%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 灌溉對肥力的影響乘數
+
+
+ 管道可見性
+
+ 隱藏
+
+ 隱藏在地板下
+
+ 總是可見
+
+ 管道的展現方式
+
+
+ 污水自然淨化率
+
+ 作弊
+
+ 300%
+
+ 200%
+
+ 150%
+
+ 125%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 10%
+
+ 0%
+
+ 地表污水隨時間推移而逐漸被淨化的乘數
+
+
+ 單元污水限制
+
+ 作弊
+
+ 400%
+
+ 200%
+
+ 100%
+
+ 80%
+
+ 60%
+
+ 20%
+
+ 設置單元格內可以堆積的污水數量乘數
+
+
+ 污水處理率
+
+ 作弊
+
+ 200%
+
+ 150%
+
+ 125%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 10%
+
+ 化糞池和污水處理池處理污水的乘數
+
+
+ 基礎地形肥沃度
+
+ 作弊
+
+ 180%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 100%
+
+ 90%
+
+ 80%
+
+ 60%
+
+ 40%
+
+ 20%
+
+ 設置地形肥沃度的基礎值乘數
+
+
+ 飲水需求率
+
+ 作弊
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+ 飲水需求下降的乘數
+
+
+ 熱水消耗率
+
+ 作弊
+
+ 50%
+
+ 75%
+
+ 100%
+
+ 125%
+
+ 150%
+
+ 200%
+
+ 洗澡時消耗的熱水量乘數
+
+
+ 抽水能力
+
+ 作弊
+
+ 200%
+
+ 150%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 水泵的容量乘數
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/ChineseTraditional/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..439ab02
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,72 @@
+
+
+
+
+ 不良衛生習慣
+
+ 不良的衛生習慣會增加弭患疾病的風險,並影響社交活動。
+
+ 中等
+
+ 嚴重
+
+ 極重
+
+
+ 霍亂
+
+ 霍亂是一種傳染性疾病,會引起嚴重的水樣腹瀉,如果不及時治療,將可能導致脫水甚至死亡。
+
+ 中等
+
+ 嚴重
+
+ 極重
+
+ 極重
+
+
+ 脫水
+
+ 脫水是一種當體液(主要是水)流失量超過攝入量時可能發生的狀態。
+
+ 輕微
+
+ 較輕
+
+ 中等
+
+ 較重
+
+ 極重
+
+
+ 腹瀉
+
+ 排便成水樣,鬆散不成形。也就是俗稱的拉肚子。
+
+ 恢復
+
+ 加重
+
+ 初期
+
+
+ 痢疾
+
+ 痢疾是一種胃腸炎,會導致便血。
+
+ 中等
+
+ 嚴重
+
+ 極重
+
+
+ 清洗
+
+ 清洗
+
+ 清洗
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/ChineseTraditional/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..2cd46c1
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,18 @@
+
+
+
+
+ 仿生膀胱
+
+ 一個已植入的的仿生膀胱。
+
+ 仿生膀胱
+
+
+ 衛生增強裝置
+
+ 一個已植入的衛生增強裝置。
+
+ 衛生增強裝置
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/IncidentDef/Incidents_Map_Misc.xml b/1.5/Languages/ChineseTraditional/DefInjected/IncidentDef/Incidents_Map_Misc.xml
new file mode 100644
index 0000000..ac7a8b1
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/IncidentDef/Incidents_Map_Misc.xml
@@ -0,0 +1,9 @@
+
+
+
+ 被污染的水塔
+ 水塔被污染,這將對殖民者的健康構成嚴重威脅!清空水塔以排除污染物,或者建立水處理系統。
+ 被污染的水塔
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/ChineseTraditional/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..026d02b
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,91 @@
+
+
+
+
+ 清潔便盆。
+
+
+ 清除TargetA的阻塞。
+
+
+ 把水帶給TargetB。
+
+
+ 飲用來自TargetA的水。
+
+
+ 飲用地表水。
+
+
+ 用TargetA的水裝滿水瓶。
+
+
+ 儲存來自TargetA的水。
+
+
+ 清空TargetA。
+
+
+ 清空TargetA。
+
+
+ 清空TargetA。
+
+
+ 在野外排泄。
+
+
+ 填充TargetA。
+
+
+ 裝入TargetA。
+
+
+ 施肥。
+
+
+ 裝滿水缸。
+
+
+ 補充水
+
+
+ 清除污水。
+
+
+ 洗澡。
+
+
+ 用TargetA洗澡。
+
+
+ 掀翻TargetA。
+
+
+ 激活TargetA。
+
+
+ 從TargetA裡取出堆肥。
+
+
+ 從TargetA裡取出衣物。
+
+
+ 使用TargetA。
+
+
+ 用TargetA清潔。
+
+
+ 用自然水源洗澡。
+
+
+ 洗手。
+
+
+ 清潔TargetA。
+
+
+ 觀看洗衣機運作。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/JobDef/JoyGivers.xml b/1.5/Languages/ChineseTraditional/DefInjected/JobDef/JoyGivers.xml
new file mode 100644
index 0000000..91b0271
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/JobDef/JoyGivers.xml
@@ -0,0 +1,10 @@
+
+
+
+
+ 游泳。
+
+
+ 放鬆。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/ChineseTraditional/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..b99c5dd
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,7 @@
+
+
+
+
+ 水療
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/ChineseTraditional/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..e509894
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,14 @@
+
+
+
+
+
+ 衛生標籤
+ 用於建造菜單"衛生"部分的快捷鍵
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/ChineseTraditional/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..7ee9614
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 膀胱
+
+ 為了預防疾病風險,通過淨化或處理廢棄物,防止污水污染飲用水源,保持良好的衛生水平非常重要。
+
+
+ 飲水
+
+ 生命的許多生理過程都需要水。當該需求為零時,生物將慢慢死於脫水。
+
+
+ 衛生
+
+ 良好的個人衛生對於降低疾病風險和使殖民者保持快樂非常重要。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/ChineseTraditional/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..a75f518
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,18 @@
+
+
+
+
+ 植入仿生膀胱
+
+ 植入仿生膀胱。
+
+ 正在植入仿生膀胱。
+
+
+ 植入衛生增強裝置
+
+ 植入衛生增強裝置。
+
+ 正在植入衛生增強裝置。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/ChineseTraditional/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..53f324b
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,11 @@
+
+
+
+
+ 提煉化合燃料
+
+ 用糞便污泥製造化合燃料。
+
+ 正在用糞便污泥製造化合燃料。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/ChineseTraditional/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..fd09fdc
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,104 @@
+
+
+
+
+ 電力淋浴器
+
+ 解鎖電力淋浴設備,縮短淋浴時間並提高舒適度。
+
+
+ 智能馬桶
+
+ 解鎖智能馬桶,提高水利用率和舒適度。
+
+
+ 集中供暖
+
+ 解鎖暖氣、熱水箱、太陽能加熱器、鍋爐和化合燃料鍋爐。
+
+
+ 深水井
+
+ 鑽探更深的井以獲得更大面積的地下水。
+
+
+ 電力抽水機
+
+ 解鎖用電力驅動並穩定工作的抽水設備。
+
+
+ 滅火系統
+
+ 解鎖可以產生水霧抑制火災的消防噴淋頭。
+
+
+ 熱水按摩浴缸
+
+ 解鎖熱水按摩浴缸,用於水療放鬆,在清潔的同時提高娛樂和舒適度。
+
+
+ 衛生仿生
+
+ 解鎖有助於處理身體廢物和管理個人衛生的仿生體。
+
+
+ 灌溉
+
+ 解鎖可以灌溉土壤以提高肥沃度的噴灌機。
+
+
+ 工業規模化
+
+ 解鎖工業級別的抽水和儲水設備。
+
+
+ 供熱
+
+ 解鎖建造能提高房間溫度並給相鄰洗浴用水加熱的鍋爐。
+
+
+ 現代浴室設施
+
+ 解鎖建造現代風格的浴室設施,包括馬桶和淋浴器等。
+
+
+ 多分體空調
+
+ 解鎖多分體空調系統,使用通風管道將複數室外機、室內機和制冷機連接在一起。
+
+
+ 管道系統
+
+ 解鎖管道、衛生設備、蓄水設備、水井、抽水機和其他基礎給排水設備。
+
+
+ 化糞池
+
+ 解鎖化糞池,可以過濾污水並提供基礎的污水處理。
+
+
+ 堆肥
+
+ 解鎖堆肥技術。廢水和糞便經過適當處理和發酵後營養物質豐富,可以作為生物有機肥料提高土壤肥沃度。
+
+
+ 污水處理
+
+ 解鎖污水處理系統,快速處理大量污水。
+
+
+ 游泳池
+
+ 解鎖建造游泳池。
+
+
+ 洗衣機
+
+ 解鎖可清洗衣服的洗衣機,這台機器如此優秀,以至於殖民者甚至無法發現這件衣服曾被死人穿過!
+
+
+ 水過濾
+
+ 解鎖水過濾系統,用水經過處理能夠消除疾病風險。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/ChineseTraditional/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..07fe5d5
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+
+ 衛生與溫控
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/ChineseTraditional/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..ec5b4fe
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,10 @@
+
+
+
+
+ 私人浴室
+
+
+ 公共浴室
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/StatDef/Needs_Misc.xml b/1.5/Languages/ChineseTraditional/DefInjected/StatDef/Needs_Misc.xml
new file mode 100644
index 0000000..cddef51
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/StatDef/Needs_Misc.xml
@@ -0,0 +1,8 @@
+
+
+
+ 乾渴率乘數
+ 一個生物對飲水需求速度的乘數。
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/ChineseTraditional/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..55fddec
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 排尿意識係數
+
+ 生物排尿意識水平下降的速度係數。
+
+
+ 衛生係數
+
+ 生物衛生水平下降的速度係數。
+
+
+ 乾渴率乘數
+
+ 一個生物對飲水需求速度的乘數。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/ChineseTraditional/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..65edf0e
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ 池水
+
+ 水
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..ad16164
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,10 @@
+
+
+
+
+ 衛生
+
+
+ 垃圾
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..070dff1
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 通風管道
+
+ 用於連接空調設備的通風管道。
+
+
+ 管道閥門
+
+ 打開或關閉管道之間的連接。
+
+
+ 管道
+
+ 用於連接衛生設備的管道。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..f021169
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,79 @@
+
+
+
+
+ 洗手池
+
+ 簡單幹淨的洗手池,提高房間的清潔度。
+
+
+ 浴缸
+
+ 需要大量的水,清洗速度慢,提高休息、娛樂和舒適。除了管道,還可以通過臨近的篝火加熱,不需要排污口。
+
+
+ 燃燒坑
+
+ 用於焚燒屍體,衣物或成癮品等的土坑,以糞便作為燃料。長期滯留在作用範圍內可能對健康造成不良影響。
+
+
+ 水池
+
+ 簡潔而乾淨的小水池,使用廁所後可以清潔雙手。
+
+
+ 廚房水槽
+
+ 與洗手池有相同功能的廚房水槽,大幅提高房間的清潔度。
+
+
+ 貓砂盆
+
+ 小型動物的室內糞便和尿液收集箱。
+
+
+ 茅廁
+
+ 一種用貯糞池收集糞便的廁所,沒有水也可以使用。集滿時必須手動清空。
+
+
+ 井
+
+ 可以從井裡取水。(如果飲水需求開啟,也可以用來飲水)
+
+
+ 電力淋浴器
+
+ 採用4噴口110mm大型動力花灑,使酸痛的肌肉得到放鬆。可以通過熱水箱獲得熱水,不需要排污口。
+
+
+ 淋浴噴頭
+
+ 簡單的淋浴器,清洗快速,需要水,可以通過熱水箱獲得熱水,不需要排污口。
+
+
+ 淋浴器
+
+ 簡單的淋浴器,清洗快速,需要水,可以通過熱水箱獲得熱水,不需要排污口。
+
+
+ 智能馬桶
+
+ 用於處理尿液和糞便的衛生用具,節水效果是標準馬桶的兩倍。
+
+
+ 隔間門
+
+ 隔間門只能阻擋人的視線,方便使用衛生設施,並不會分割房間和防止熱量流失。
+
+
+ 馬桶
+
+ 用於處理尿液和糞便的衛生用具。
+
+
+ 水盆
+
+ 用於清潔身體的簡易水盆,也可以飲用,需要定期補充淡水。(殖民者會在附近的人工或自然水源中取水)
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..7f199f4
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 游泳池
+
+ 用於水療,放鬆或娛樂的游泳池,使用時需要從水塔中注入水。
+
+
+ 熱水按摩浴缸
+
+ 用於水療放鬆,在清潔的同時提高娛樂和舒適度。第一次使用時會從水塔注入水,自行加熱,不需要排污口。
+
+
+ 洗衣機
+
+ 這台機器如此優秀,以至於殖民者甚至無法發現這件衣服曾被死人穿過!
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..5c84b3d
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,64 @@
+
+
+
+
+ 深水井
+
+ 可以通過水泵獲取大量地下水,不受地面污水影響。
+
+
+ 電力水泵
+
+ 將井裡的水抽到水塔。抽水能力: 1500 L/天
+
+
+ 水泵站
+
+ 將井裡的水抽到水塔。抽水能力: 10000 L/天
+
+
+ 排污口
+
+ 可以放置在任何地方。污水會出現在地上或流進水中。隨著時間推移,污水會慢慢消失。樹木,河湖或雨水能加快去污水的速度。
+
+
+ 化糞池
+
+ 隨時間逐漸清理污水的設備。污水會先進入化糞池,達到滿負荷後,多餘的污水將不經處理直接從排污口排出。
+
+
+ 污水處理池
+
+ 隨時間逐漸清理污水的設備。污水會首先進入污水處理設施,處理90%,剩餘10%通過排污口排出。達到滿負荷後,多餘的污水將不經處理,直接從排污口排出。
+
+
+ 集水桶
+
+ 用於存放地下水,如果集水桶中的水被污染,必須排空才能確保安全。可以洗手。
+
+
+ 巨型水塔
+
+ 用於存放水泵抽取的地下水,如果水塔中的水被污染,必須排空才能確保安全。
+
+
+ 水塔
+
+ 用於存放水泵抽取的地下水,如果水塔中的水被污染,必須排空才能確保安全。
+
+
+ 水過濾器
+
+ 清除99.99%的細菌!過濾地下水和水塔中儲存的水,消除疾病風險。
+
+
+ 水井
+
+ 可以通過水泵獲取地下水,如果取水範圍內存在污水或其他污染物,會降低水質並有衛生疾病風險。
+
+
+ 風力水泵
+
+ 將井裡的水抽到水塔。抽水能力: 3000 L/天
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..2cf0b25
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,77 @@
+
+
+
+
+ 空調室內機
+
+ 多分體空調機組。室內機放置在房間內,用通風管道與室外機相連,制冷量100 U。
+
+
+ 空調室外機
+
+ 多分體空調機組。室外機放置在室外,用通風管道與室內機或制冷機相連,通過設置變換制冷量,範圍從100到1000 U。
+
+
+ 吊扇
+
+ 通過空氣循環降低室內溫度,裝有內置的吊燈。
+
+
+ 吊扇(1x1)
+
+ 通過空氣循環降低室內溫度,裝有內置的吊燈。
+
+
+ 電加熱器
+
+ 電力加熱裝置。為暖氣和熱水箱提供熱水。具體加熱量可手動設置,可用溫控器控制。
+
+ 供能模式
+
+
+ 大型制冷機
+
+ 用於製造冷庫的大型制冷機,用通風管道與室外機相連,制冷量300 U。
+
+
+ 燃氣鍋爐
+
+ 加熱裝置。為暖氣和熱水箱提供2000 U的加熱量。以化合燃料為燃料,可用溫控器控制。
+
+ 供能模式
+
+
+ 熱水箱
+
+ 為淋浴器和浴缸儲存熱水,通過鍋爐或加熱器加熱。
+
+
+ 鍋爐
+
+ 加熱裝置。為暖氣和熱水箱提供2000 U的加熱量。以原木為燃料。
+
+ 供能模式
+
+
+ 大型暖氣
+
+ 使用循環的熱水為房間供熱,效果是普通暖氣的3倍,適用於較大的房間,發熱量300 U。
+
+
+ 暖氣
+
+ 使用循環的熱水為房間供熱,發熱量100 U。
+
+
+ 太陽能加熱器
+
+ 太陽能加熱裝置。加熱量隨光照和環境溫度變化,範圍在0到2000 U之間。
+
+ 供能模式
+
+
+ 溫控器
+
+ 用於控制電力和燃氣鍋爐,通過管道連接。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..5b35436
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ 堆肥器
+
+ 堆肥容器。能夠將廢水和糞便轉化為有機生物肥料,提高地形的肥沃度。
+
+
+ 消防噴淋頭
+
+ 遇到火焰或高溫時觸發,對控制區域噴灑水霧,可以手動開啟。
+
+ 打開消防噴淋頭
+
+
+ 噴灌器
+
+ 每天清晨為所在區域澆水,大幅提高土壤肥力。噴灑需要消耗大量的水。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Effecter_Misc.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Effecter_Misc.xml
new file mode 100644
index 0000000..998aa77
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Effecter_Misc.xml
@@ -0,0 +1,13 @@
+
+
+
+
+ 塵埃
+
+
+ 塵埃
+
+
+ 塵埃
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..7c118b0
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,15 @@
+
+
+
+
+ 糞便
+
+
+ 尿
+
+ 地上的尿。
+
+
+ 污水
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..02ac0b2
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,14 @@
+
+
+
+
+ 仿生膀胱
+
+ 先進的人造膀胱。化學循環系統將人體產生的廢物分解成分子並被循環利用,其餘的則以氣體的形式被釋放,其不利之處在於使用者將會產生更多的廢氣。
+
+
+ 衛生增強裝置
+
+ 這種裝置能夠釋放納米機器人清除使用者皮膚和毛髮上的死皮細胞與其他碎屑,形成無害物釋放到空氣中。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..45e1bac
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ 便盆
+
+ 盛放臥床患者尿液和糞便的容器。
+
+
+ 生物有機肥料
+
+ 用糞便污泥發酵製成的肥料。
+
+
+ 糞便污泥
+
+ 一個裝滿糞便污泥的桶,可以傾倒,焚燒,或者通過堆肥製作成生物有機肥料。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Mote_Visual.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Mote_Visual.xml
new file mode 100644
index 0000000..43efe05
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/Mote_Visual.xml
@@ -0,0 +1,28 @@
+
+
+
+
+ 塵埃
+
+
+ 塵埃
+
+
+ 塵埃
+
+
+ 塵埃
+
+
+ 塵埃
+
+
+ 塵埃
+
+
+ 塵埃
+
+
+ 塵埃
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..7d27248
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+ 塵埃
+ 塵埃
+ 塵埃
+ 塵埃
+ 塵埃
+ 塵埃
+ 塵埃
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..21a634a
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,107 @@
+
+
+
+
+ 冷水澡
+
+ 我洗了一個清爽的冷水澡。
+
+
+ 冷水淋浴
+
+ 我衝了一個清爽的冷水澡。
+
+
+ 水是冷的
+
+ 沒有熱水!這太糟糕了。
+
+
+ 喝了清水
+
+ 喝了潔淨清爽的水。
+
+
+ 喝了髒水
+
+ 喝了受污染的水。
+
+
+ 喝尿
+
+ 喝了自己的尿。
+
+
+ 溫水泳池
+
+ 溫水泳池非常令人放鬆。
+
+
+ 熱水澡
+
+ 我洗了一個不錯的熱水澡。
+
+
+ 熱水淋浴
+
+ 我衝了一個不錯的熱水澡。
+
+
+ 隨地大小便
+
+ 我不得不在外面解決...
+
+
+ 髒髒的
+
+ 我不能再忍受,只好弄髒了自己。
+
+
+ 尷尬
+
+ 有人從我身邊經過,而我正在使用廁所,天啊!
+
+
+ 解放自我
+
+ 啊啊啊~ 舒服多了。
+
+
+ 可怕的浴室
+
+ 那浴室真是可怕的地方。
+
+ 體面的浴室
+
+ 我的浴室很體面。我喜歡這裡。
+
+ 小有印象的浴室
+
+ 我的浴室令人小有印象。我喜歡這裡。
+
+ 印象深刻的浴室
+
+ 我的浴室令人印象深刻。我很喜歡!
+
+ 印象非常深刻的浴室
+
+ 我的浴室令人印象非常深刻。沒有地方比這更好了!
+
+ 印象極度深刻的浴室
+
+ 我的浴室令人印象極度深刻。沒有地方比這更好了!
+
+ 難以置信的浴室
+
+ 我的浴室令人難以置信。沒有地方比這更好了!
+
+ 奇跡非凡的浴室
+
+ 我的浴室是無法想象的人間勝境。太完美了。
+
+
+ 尷尬
+
+ 有人在看我洗澡,這讓我覺得很不舒服。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/ChineseTraditional/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..3499e81
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,30 @@
+
+
+
+
+ 憋不住了
+
+ 我要上廁所!馬上!憋不住了!
+
+ 想上廁所
+
+ 我想上廁所。
+
+
+ 臭氣熏天
+
+ 我聞起來像在臭水坑裡游過泳。
+
+ 骯髒
+
+ 我覺得身上髒兮兮的。
+
+ 乾淨
+
+ 我感到乾淨而清爽。
+
+ 一塵不染
+
+ 比我更乾淨的人?不存在的!
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/ChineseTraditional/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..3f1c627
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ 潔癖
+
+ [PAWN_nameDef]總是被身上的細菌所困擾,清潔自己的次數會比正常人要頻繁的多。
+
+ 講衛生
+
+ [PAWN_nameDef]很講衛生,會經常清潔自己。
+
+ 不講衛生
+
+ [PAWN_nameDef]很不講衛生,很少清潔自己。
+
+ 邋遢
+
+ [PAWN_nameDef]對衛生的要求很低,不到萬不得已,絕不會清潔自己。
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/ChineseTraditional/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..d33e552
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,60 @@
+
+
+
+
+ 清理便盆
+
+ 清理
+
+ 清理
+
+
+ 清除阻塞
+
+ 清除阻塞
+
+ 清除阻塞
+
+
+ 管理流體
+
+ 管理流體
+
+ 管理流體
+
+
+ 清理便盆
+
+ 清理
+
+ 清理
+
+
+ 排水
+
+ 排水
+
+ 排空
+
+
+ 施肥
+
+ 施肥
+
+ 施肥
+
+
+ 掀翻污水
+
+ 掀翻污水
+
+ 掀翻污水
+
+
+ 清潔病人
+
+ 清潔
+
+ 清潔
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/ChineseTraditional/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..da1ea8f
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,67 @@
+
+
+
+
+ 清潔室內污物
+
+ 正在清潔
+
+ 清潔
+
+
+ 完成燃燒坑的清單
+
+ 焚燒於
+
+ 焚燒
+
+
+ 清空化糞池
+
+ 清空
+
+ 清空
+
+
+ 填滿堆肥器
+
+ 填滿
+
+ 填滿
+
+
+ 放入清洗的衣物
+
+ 放入
+
+ 放入
+
+
+ 裝水
+
+ 裝水
+
+ 裝水
+
+
+ 將污水收集到桶中
+
+ 清除污水中
+
+ 清除污水
+
+
+ 從堆肥器中取出堆肥
+
+ 取出堆肥於
+
+ 取出堆肥
+
+
+ 取出清洗的衣物
+
+ 取出
+
+ 取出
+
+
\ No newline at end of file
diff --git a/1.5/Languages/ChineseTraditional/Keyed/DubsHygiene.xml b/1.5/Languages/ChineseTraditional/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..e45078f
--- /dev/null
+++ b/1.5/Languages/ChineseTraditional/Keyed/DubsHygiene.xml
@@ -0,0 +1,449 @@
+
+
+
+
+
+ 拆除管道
+
+ 拆解指定的管道
+
+ 清除污水
+
+ 清除地面的污水並將其放入桶中
+
+ 拆除管道
+
+ 拆除通風管道
+
+
+
+ 缺少水塔
+
+ 需要一座水塔或一個集水桶來儲存抽出的水
+
+ 缺少水井
+
+ 需要水井才能抽水
+
+ 缺少水泵
+
+ 需要水泵才能抽水
+
+ 輻射水污染
+
+ 有毒塵埃持續2天后,有毒沉積物會污染與水井相連的所有蓄水設備。\n\n為了避免上述情況,你需要提前用閥門斷開水井的連接,用儲存的水渡過難關。\n\n你也可以使用深水井獲取未受污染的水,或安裝水處理設施來過濾污染物。
+
+
+ 制冷量低,請提高室外機的功率
+
+ 訪問受限
+
+ 僅限{0}
+
+ 僅限囚犯
+
+ 排污口堵塞
+
+ 排污口被垃圾堵塞,污水在周圍蔓延。\n\n建造更多出水口或用化糞池提供緩衝區,降低排污壓力。
+
+ 水溫低
+
+ 水箱的水溫太低,這會讓希望使用熱水的殖民者感到惱火。n\n開啟鍋爐提高供暖效力或增加更多的水箱,確保熱水消耗。
+
+ 必須放在有地下水的區域上
+
+ 裝置必須放在室內
+
+ 需要水塔
+
+ 指定任務需要膀胱需求,{0}沒有相關需求
+
+
+ 缺少堆肥材料
+
+ 缺少蓄水設備
+
+ 缺少排污設備
+
+ 需要管道
+
+ 無法到達
+
+
+ 太熱: x{0}
+
+ 淋雨: x{0}
+
+ 效能: x{0}
+
+ 房間: x{0}
+
+ 總和: x{0}
+
+ 骯髒的手 - 疾病風險
+
+
+ 下水道堵塞
+
+ 排水管堵塞,需要清潔工疏通清理。
+
+
+ 水污染
+
+ 水源被污染,蓄水設備儲存的水可能會受影響。
+
+ 蓄水設備受污染
+
+ 一個蓄水設備受到污染,這將對殖民者健康構成嚴重威脅!請移動水塔、排污口或建立水處理系統。
+
+
+ 由於糟糕的個人衛生,{0}染上了{1}
+
+ 由於飲用未經處理的水,{0}染上了{1}
+
+ 由於飲用被污染的水,{0}染上了{1}
+
+
+
+ 改變性別限制
+
+ 醫用
+
+ 僅限病人使用
+
+ 僅限病人
+
+ 攻擊直升機
+
+ 不分性別
+
+ 連接床
+
+ 連接到附近的床上以確定所有權
+
+ 取消連接
+
+ 取消與床的連接
+
+ 僅限動物
+
+ 使用檢查
+
+ 角色在使用設施之前會檢查房間中是否有任何物件已被預留,以防角色同時使用相同的洗手池和馬桶
+
+
+
+ 水溫: {0}
+
+ 已連接加熱: {0} U ({1})
+
+ 已連接制冷: {0} U ({1})
+
+ 加熱量: {0} U
+
+ 制冷量: {0} U
+
+ 加熱單位/功率: {0} U / {1} W
+
+ 制冷單位/功率: {0} U / {1} W
+
+ 效能: {0}
+
+ 效能: {0} 過熱
+
+ 最低溫度: {0}
+
+ 降低功率
+
+ 降低加熱能力
+
+ 提高功率
+
+ 提高加熱能力
+
+ 熱水容量: {0}
+
+ 溫控器過載
+
+ 強制鍋爐連續運行
+
+ 排氣口必須保持暢通
+
+ 太冷
+
+ 有屋頂
+
+ 效能: {0}
+
+ 散熱器溫度: {0}
+
+ 溫控器失去控制...\n將所有連接的熱水箱設置為恆溫模式
+
+ 恆溫控制
+
+ 水箱溫度較低時開啟鍋爐1小時,如果禁用此功能,鍋爐將忽略恆溫控制,連續運行。
+
+
+
+ 洗手
+
+ 洗澡
+
+ 使用
+
+ 利用率 = {0}
+
+ 需要管道
+
+ 下水道堵塞
+
+ 疏通便池
+
+ 運行中...
+
+ 立即取出
+
+ 取出: {0}/{1}
+
+ 沒有髒衣服
+
+ 沒有空間
+
+ 沒有高質量的預留水源
+
+
+ 流量 +50L
+
+ 流量 -50L
+
+ 裝填速率
+
+ 喝
+
+ 切換閥門
+
+ 打開或關閉閥門
+
+ 閥門關閉
+
+
+ 抽水量: {0} L/天
+
+ 水容量: {0} L/天
+
+ 總抽水量/總水容量: {0}/{1} L/天 ({2})
+
+
+ 儲水: {0} L
+
+ 總儲水: {0} L
+
+
+ 污染等級: {0}
+
+
+ 縮小半徑
+
+ 增大半徑
+
+ 質量: 未處理 - 低疾病風險
+
+ 質量: 受污染! - 高疾病風險!
+
+ 質量: 已處理 - 安全
+
+
+ 放空水箱
+
+ 排空水箱並清除污染
+
+
+ 水值:{0} for {1}L
+
+ 水
+
+
+ 與{0}井範圍重疊
+
+
+
+ 污水 {0}
+
+ 排水
+
+ 設置糞便污泥排入桶中的水平。糞桶可以移動,翻倒,燃燒或變成生物固體
+
+ 處理能力: {0} L/天 未處理: {1} L ({2})
+
+ 不要排空
+
+ 排水池在{0}
+
+
+ 糞池容量: {0}
+
+ 糞池已滿, 需要馬上清空!
+
+ 踢倒
+
+ 將污水灑到地上
+
+
+
+ 包含堆肥{0}/{1}
+
+ 包含糞便污泥{0}/{1}
+
+ 堆肥
+
+ 堆肥進度{0} ({1})
+
+ 堆肥超出理想溫度
+
+ 理想的堆肥溫度
+
+ 種植區域播種已禁用
+
+ 未找到肥料
+
+ 肥料區域
+
+ 劃定施用肥料的區域
+
+ 添加區域
+
+ 刪除區域
+
+
+
+ 優先室內清潔
+
+ 室內清潔工作優先級較其他清潔工作要高。
+
+ Mod卸載助手
+
+ 步驟:\n\n1:按確認後立即保存遊戲\n2:退出主菜單並禁用Mod並重新啟動遊戲\n3:加載您的存檔,忽略任何異常並再次保存\n再一次加載存檔,此時應卸載成功!
+
+ 寵物口渴
+
+ 寵物也有口渴需求
+
+ 需要重新啟動才能將質量和藝術信息重新添加。\n\n現在重新啟動?
+
+ 設施的質量和藝術信息
+
+ 為衛生設施添加質量和藝術信息,例如馬桶
+
+ 退到主菜單更改
+
+ 邊緣石油(Rimefeller)聯動
+
+ 啟用將為邊緣石油mod中的煉油廠和加工廠增加水需求
+
+ 邊緣核能(Rimatomics)聯動
+
+ 啟用將為邊緣核能mod中的冷卻塔增加水需求
+
+ 禁用特定體型、種族或特定hediff處於活躍狀態的相關需求
+
+ 需求過濾器
+
+ 禁用膀胱需求
+
+ 禁用衛生需求
+
+ 激活需求
+
+ 勾選啟用
+
+ 囚犯
+
+ 相關需求是否適用於囚犯
+
+ 訪客招募(Hospitality)的訪客
+
+ 相關需求是否適用於訪客招募mod的訪客
+
+ 隱私
+
+ 殖民者在洗澡或如廁時會關心隱私
+
+ 冷卻效率
+
+ 高溫是否像標準情況一樣影響冷卻效率
+
+ 雨水灌溉
+
+ 雨水會有與噴淋頭相同的灌溉效果,但會降低遊戲性能
+
+ 禁用需求
+
+ 完全禁用所有需求,覆蓋所有設置
+
+ 允許mod飲料
+
+ 允許目標飲用和攜帶mod飲料來滿足飲水需求\n默認情況下已支持聯動菜園子(VGP)和邊緣美食(RimCuisine),其他mod需要對def進行擴展
+
+ 攜帶水壺
+
+ 允許目標在遠行時將水壺自動帶在身上\n\n可能不適用於某些mod,對於戰鬥擴展(CombatExtended),你需要手動管理目標身上的物品以使其攜帶水壺,否則水壺會被不斷丟棄
+
+ 需求過濾器
+
+ 主要功能
+
+ 實驗性功能
+
+ 寵物的膀胱
+
+ 啟用寵物的膀胱需求,並為寵物添加相關的排泄用品
+
+ 野生動物膀胱
+
+ 啟用所有野生動物的膀胱需求,這可能會變得混亂
+
+ 飲水需求
+
+ 對擁有飲水需求的所有殖民者啟用飲水需求,增加飲水設備和水壺,需要重新啟動遊戲
+
+ 肥料可見
+
+ 使肥料坐標方格可見
+
+ 非人類殖民者
+
+ 允許非人類的殖民者擁有相關需求,你可以通過設置令特定的生物禁用相關需求
+
+ 附加功能
+
+ 輕量模式(簡化Mod)
+
+ 將本Mod切換到簡化模式,移除管道、水和污水管理以及任何與衛生和水需求沒有直接關係的建築物和工作。\n\n這將阻止加載許多defs並需要重新啟動。\n\n如果你是在已有存檔的基礎上進行簡化,可能需要在激活後保存並重新加載
+
+ 你必須在激活輕量模式後重新加載遊戲\n\n如果你是在已有存檔的基礎上進行簡化,可能需要在激活後保存並重新加載
+
+ 被動式冷卻裝置須使用水
+
+ 被動式冷卻裝置去除了木材、燃料消耗,取而代之的是消耗水,類似於水盆。
+
+ SoS2適配
+
+ 將水和污水處理添加到生命支持系統中,並為飛船結構添加管道功能。
+
+ 庫存水x{0}
+
+ 衛生與溫控 Wiki
+
+ 打開衛生與溫控的維基頁面
+
+ 生存模式
+
+ 大幅縮小淺層地下水和圍繞地表水的地下水面積\n\n不需要重新開始新遊戲。
+
+ 水栽培聯動
+
+ 水栽培植物盆需要管道連接水箱以獲得水,水箱只有在通電狀態下才能供水,水栽培的植物只會因缺水而不會因為斷電而死亡。
+
+ 只有重啟遊戲才能添加或刪除與飲水相關的內容\n\n立即重啟?
+
+
\ No newline at end of file
diff --git "a/1.5/Languages/ChineseTraditional/\347\277\273\350\257\221\357\274\232\350\276\271\347\274\230\346\261\211\345\214\226\347\273\204 QQ\347\276\244[690258623].txt" "b/1.5/Languages/ChineseTraditional/\347\277\273\350\257\221\357\274\232\350\276\271\347\274\230\346\261\211\345\214\226\347\273\204 QQ\347\276\244[690258623].txt"
new file mode 100644
index 0000000..55f68fb
--- /dev/null
+++ "b/1.5/Languages/ChineseTraditional/\347\277\273\350\257\221\357\274\232\350\276\271\347\274\230\346\261\211\345\214\226\347\273\204 QQ\347\276\244[690258623].txt"
@@ -0,0 +1,6 @@
+翻译:
+-简中:BOXrsxx
+-繁中:BiscuitMiner
+边缘汉化组出品。
+
+欢迎加入QQ群[690258623],在这里,你可以跟大家分享你的游戏心得,也可以向大家提出在游戏中遇到的问题。边缘汉化组的新作和更新都会在本群发布,欢迎大家提出意见和建议,也可以推荐优秀Mod给我们汉化。
diff --git a/1.5/Languages/Czech/DefInjected/DesignationCategoryDef/Needs_Misc.xml b/1.5/Languages/Czech/DefInjected/DesignationCategoryDef/Needs_Misc.xml
new file mode 100644
index 0000000..88c11e9
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/DesignationCategoryDef/Needs_Misc.xml
@@ -0,0 +1,8 @@
+
+
+
+ Hygiena
+
+ Dobrá osobní hygiena je nezbytná pro to, aby byli kolonisté spokojení a snížilo se riziko propuknutí nemocí.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml b/1.5/Languages/Czech/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..0363cab
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
@@ -0,0 +1,6 @@
+
+
+
+ Mozaikové dlaždice
+
+
diff --git a/1.5/Languages/Czech/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/Czech/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..38844ae
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,199 @@
+
+
+
+ Viditelnost potrubí
+ Jak se má zobrazovat potrubí
+ Skryté
+ Skryté pod podlahami
+ Vždy viditelné
+
+ Potřeba hygieny
+ Jak rychle se postavy zašpiňují
+ Podvod!
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120% s
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Potřeba vyměšování
+ Jak často potřebují postavy na toaletu
+ Podvod
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Objem splachování
+ Kolik odpadní vody bude vyprodukováno při každém použití toalety
+ Podvod
+ 25%
+ 50%
+ 100%
+ 150%
+ 200%
+ 250%
+
+ Potřeba pití
+ Jak často budou postavy potřebovat pít
+ Podvod
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Riziko kontaminace
+ Udává riziko, že kolonista onemocní z pití neupravené vody
+ Podvod
+ 10%
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 175%
+ 200%
+
+ Výkon čerpadel
+ Modifikuje maximální průtok vodních čerpadel
+ Podvod
+ 200%
+ 100%
+ 50%
+ 25%
+ 50%
+ 25%
+
+ Využití teplé vody
+ Udává, jaké množství teplé vody se spotřebuje během mytí
+ Truco
+ 50%
+ 100%
+ 150%
+ 200%
+ 150%
+ 200%
+
+ Limit odpadní vody
+ Udává množství odpadní vody, které lze vměstnat na jedno políčko
+ Podvod
+ 400%
+ 200%
+ 100%
+ 80%
+ 60%
+ 20%
+
+ Čištění splašků
+ Jak rychle se povrchové odpadní vody samovolně čistí
+ Podvod
+ 300%
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+ 0%
+
+ Zpracování splašků
+ Rychlost, kterou jsou čištěny odpadní vody v septicích nebo čistírnách odpadních vod
+ Podvod
+ 200%
+ 100%
+ 75%
+ 25%
+ 75%
+ 50%
+ 25%
+ 10%
+
+ Síla zavlažování
+ Vliv zavlažování na úrodnost
+ Podvod
+ 240%
+ 220%
+ 200%
+ 180%
+ 160%
+ 140%
+ 120%
+ 110%
+
+ Síla hnojení
+ Vliv hnojení na úrodnost
+ Podvod
+ 160%
+ 140%
+ 120%
+ 110%
+ 108%
+ 106%
+ 104%
+ 102%
+
+ Základní úrodnost
+ Základní hodnota úrodnosti půdy
+ Truco
+ 180%
+ 140%
+ 120%
+ 110%
+ 100%
+ 90%
+ 80%
+ 60%
+ 40%
+ 20%
+
+ Výdrž hnojiva
+ Jak dlouho od aplikace hnojiva zůstane půda pohnojená
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Czech/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml b/1.5/Languages/Czech/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..476f73e
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
@@ -0,0 +1,8 @@
+
+
+
+ Sprchuje se: TargetA
+
+ Koupe se
+
+
diff --git a/1.5/Languages/Czech/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml b/1.5/Languages/Czech/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
new file mode 100644
index 0000000..c1fd5e3
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
@@ -0,0 +1,10 @@
+
+
+
+ Plave
+
+ Relaxuje
+
+ Saunuje se
+
+
diff --git a/1.5/Languages/Czech/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/Czech/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..7f5ebf2
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,64 @@
+
+
+
+ Cholera
+
+ Cholera je nakažlivá nemoc způsobující vážný, vodnatý průjem, který vede k dehydrataci a může skončit i smrtí, pokud se nemocnému nedostane léčby.
+
+ mírná
+
+ vážná
+
+ extrémní
+
+ extrémní
+
+ Úplavice
+
+ Úplavice je druh gastroenteritidy, která vyvolává krvavý průjem.
+
+ mírná
+
+ vážná
+
+ extrémní
+
+ Průjem
+
+ Porucha zažívání vedoucí k vylučování řídkých a vodnatých výkalů. Též známý jako pohyby střev.
+
+ zotavuje se
+
+ vážný
+
+ počáteční
+
+ myje se
+
+ myje se
+
+ špatná hygiena
+
+ Špatná hygiena zvyšuje riziko onemocnění a ztěžuje sociální interakce.
+
+ trochu
+
+ vážně
+
+ extrémně
+
+ Dehydratace
+
+ K dehydrataci dochází, pokud ztrácíte více tělesných tekutin, než kolik jich vypijete.
+
+ triviální
+
+ mírná
+
+ střední
+
+ vážná
+
+ extrémní
+
+
diff --git a/1.5/Languages/Czech/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Czech/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..bf36717
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,12 @@
+
+
+
+ Posilovač hygieny
+
+ Vypouští nanity, které rozkládají mrtvé kožní buňky či další nečistoty na kůži či vlasech a bezpečně je vypouštějí do ovzduší.
+
+ Bionický močový měchýř
+
+ Pokročilý umělý močový měchýř. Vybavený chemickým recyklačním systémem, který rozkládá odpadní produkty metabolismu do molekul, které jsou následně recyklovány, a zbytek je vypuštěn ve formě plynu. Nevýhodou je, že uživatel místo močení... prdí.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/Czech/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..0defbe3
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,58 @@
+
+
+
+ Aktivuje: TargetA
+
+ Vyprazdňuje: TargetA
+
+ Vyprazdňuje: TargetA
+
+ Plní: TargetA
+
+ Vyprazdňuje: TargetA
+
+ Plní: TargetA
+
+ Vynáší kompost z: TargetA
+
+ Odstraňuje odpadní vodu
+
+ Pozoruje ždímání prádla
+
+ Převrhává: TargetA
+
+ Vypouští: TargetA
+
+ Hnojí půdu
+
+ Pije vodu
+
+ Pije vodu z: TargetA
+
+ Plní lahev s vodou z: TargetA
+
+ Naskladňuje vodu z: TargetA
+
+ Přináší vodu do: TargetB
+
+ Používá: TargetA
+
+ Vyprazdňuje se venku open
+
+ Myje se u: TargetA
+
+ Myje se
+
+ Myje si ruce
+
+ Myje: TargetA
+
+ Doplňuje necky
+
+ Doplňuje vodur
+
+ Čistí podložní mísu
+
+ Uvolňuje ucpaný objekt: TargetA
+
+
diff --git a/1.5/Languages/Czech/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/Czech/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..5ef5604
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,6 @@
+
+
+
+ Hydroterapie
+
+
diff --git a/1.5/Languages/Czech/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/Czech/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..600d684
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,16 @@
+
+
+
+ Vyměšování
+
+ Pro zabránění onemocnění je nezbytné udržovat čistotu a pečlivě se zbavovat odpadních vod nebo je čistit. Také je nutné zabránit kontaminaci zásob pitné vody.
+
+ Hygiena
+
+ Dobrá osobní hygiena je nezbytná ke spokojenosti kolonistů a pro snížení rizika onemocnění.
+
+ Pití
+
+ Voda je k životu nezbytná. Pokud tento ukazatel dosáhne nuly, začne stvoření pomalu umírat na dehydrataci.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Czech/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..cf2a9ae
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,16 @@
+
+
+
+ Instalovat posilovač hygieny
+
+ Nainstaluje posilovač hygieny.
+
+ Instaluje posilovač hygieny
+
+ Nainstalovat bionický močový měchýř
+
+ Nainstaluje bionický močový měchýř.
+
+ Instaluje bionický močový měchýř.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/Czech/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..6a13232
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,10 @@
+
+
+
+ Vyrobit chemické palivo z fekálního kalu
+
+ Vyrobí z fekálního kalu palivo.
+
+ Vyrábí chemické palivo z fekálního kalu
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Czech/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..b57a9b9
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,92 @@
+
+
+
+ Kompostování fekálního kalu
+
+ Při správném zacházení a zpracování se z fekálního kalu stanou biosolidy, kterými lze mírně zvýšit úrodnost půdy. To se hodí v drsnějším prostředí, ve kterém není tolik prostoru pro pěstování rostlin. Biosolidy lze také v kombinaci se zavlažováním použít k zúrodnění písku.
+
+ Multisplitová klimatizace
+
+ Umožní postavit multisplitové klimatizační systémy s vnějšími jednotkami napojenými na vnitřní jednotky a mrazáky.
+
+Instalatérství
+
+ Umožní využití potrubí, vodovodních instalací, nádrží na vodu, vodních pump a dalších zařízení k přivádění či odvádění vody a odvádění odpadní vody.
+
+ Vytápění
+
+ Pomocí bojlerů na dřevo můžeš vytápět místnosti nebo je použít v blízkosti van k ohřátí vody na koupání.
+
+ Centrální vytápění
+
+ Umožní postavit centrální vytápění s radiátory, nádržemi na teplou vodu, bojlery a termostaty.
+
+ Geotermální vytápění
+
+ Umožní postavit geotermální bojlery nad gejzíry pro centrální vytápění a nádrže na pitnou vodu.
+
+ Sauny
+
+ Umožní postavit vyhrazenou místnost se saunovým topným tělesem, kde budou kolonisté moci relaxovat a umýt se. Časté saunování také snižuje riziko srdečního infakrktu.
+
+ Moderní výbava koupelen
+
+ Umožní ti vybavit koupelny moderním vybavením, jako například toaletami nebo sprchami.
+
+Elektrická čerpadla
+
+ Elektřinou poháněná vodní čerpadla pro nepřetržité, tlakové čerpání vody.
+
+ Výkonné sprchy
+
+ Výkonné sprchy zkracují čas strávený mytím na polovinu a zvyšují komfort.
+
+Chytré toalety
+
+ Umožní postavit chytré toalety, které mají dvakrát nižší spotřebu vody, než ty standardní, a také poskytují větší komfort.
+
+Vířivky
+
+ Umožní postavit vířivky, které lze použít pro hydroterapii, relaxaci a potěchu ducha.
+
+ Průmyslová čerpadla
+
+ Umožní postavit průmyslová čerpadla a větší nádrže na vodu.
+
+ Hluboké studny
+
+ Umožní vrtat hluboké studny, pomocí kterých získáš přístup k většímu množství podzemní vody.
+
+ Pračky
+
+ Umožní vyrábět pračky, ve kterých jde vyprat nádobí tak dobře, že ani nepoznáš, že v něm někdo zemřel!
+
+ Filtrace vody
+
+ Umožní postavit úpravnu vody, kde lze upravovat vodu na pitnou, což zcela zabrání onemocnění z pití kontaminované vody.
+
+ Hygienická bionika
+
+ Umožní výrobu bionických implantátů, které uživateli pomohou zpracovávat odpadní produkty metabolismu a s osobní hygienou.
+
+ Septiky
+
+ Umožní postavit septiky, ve kterých se akumuluje odpadní voda a částečně se čistí.
+
+ Čištění odpadních vod
+
+ Umožní postavit velké čistírny odpadních vod, ve kterých je akumulováno a čištěno velké množství odpadní vody.
+
+ Bazény
+
+ Umožní stavět bazény.
+
+ Zavlažování
+
+ Umožní postavit rozstříkovače, které zavlažováním půdy zlepšují úrodnost.
+
+ Protipožární systémy
+
+ Umožní postavit sprinklery, které hasí požáry rozstřikováním vody.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Czech/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..bf7119e
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,6 @@
+
+
+
+ Dubs Bad Hygiene
+
+
diff --git a/1.5/Languages/Czech/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/Czech/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..0bb5ee5
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,10 @@
+
+
+
+ Veřejná koupelna
+
+ Soukromá koupelna
+
+ Sauna
+
+
diff --git a/1.5/Languages/Czech/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/Czech/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..9af05e9
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,16 @@
+
+
+
+ Faktor žízně
+
+ Násobič, který určuje, jak rychle dostane stvoření žízeň.
+
+ Faktor hygieny
+
+ Násobič, který určuje, jak rychle se stvoření zhoršuje hygiena.
+
+ Faktor vyměšování
+
+ Násobič, který určuje, jak často se bytost potřebuje vyprázdnit.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/TerrainDef/Buildings5_Floors.xml b/1.5/Languages/Czech/DefInjected/TerrainDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..c06e866
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/TerrainDef/Buildings5_Floors.xml
@@ -0,0 +1,28 @@
+
+
+
+ Opatrně opracované kamenné dlaždice tvořící mozaikový vzor. Stylová podlaha pro koupelny a kuchyně.
+
+ Pískovcové mozaikové dlaždice
+
+ Opatrně opracované kamenné dlaždice tvořící mozaikový vzor. Stylová podlaha pro koupelny a kuchyně.
+
+ Vápencové mozaikové dlaždice
+
+ Opatrně opracované kamenné dlaždice tvořící mozaikový vzor. Stylová podlaha pro koupelny a kuchyně.
+
+ Břidlicové mozaikové dlaždice
+
+ Opatrně opracované kamenné dlaždice tvořící mozaikový vzor. Stylová podlaha pro koupelny a kuchyně.
+
+ Žulové mozaikové dlaždice
+
+ Opatrně opracované kamenné dlaždice tvořící mozaikový vzor. Stylová podlaha pro koupelny a kuchyně.
+
+ Mramorové mozaikové dlaždice
+
+ Ocelové mozaikové dlaždice
+
+ Ocelové dlaždice tvořící mozaikový vzor. Stylová podlaha pro koupelný a kuchyně.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/Czech/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..26a7d7c
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,8 @@
+
+
+
+ Voda
+
+ Bazénová voda
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/Czech/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..be79d12
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,8 @@
+
+
+
+ Odpad
+
+ Hygiena
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..caa7c51
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,16 @@
+
+
+
+ Potrubní ventil
+
+ Otevírá či uzavírá spojení mezi trubkami.
+
+ Klimatizační potrubí
+
+ Potrubí pro propojování klimatizačních jednotek.
+
+ Potrubí
+
+ Potrubí sloužící k rozvodu vody.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..5f2fa07
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,76 @@
+
+
+
+ Poloviční spotřeba vody oproti normální toaletě. Též poskytuje uživateli pohodlí díky automatickému čištění a deodorizaci.\n7L na jedno použití
+
+ Chytrá toaleta
+
+ Používá se sice pomalu, ale je velice pohodlná. Vodu lze ohřát, pokud je vedle táborák nebo bojler na dřevo, nebo přívodem teplé vody potrubím. Nevyžaduje odtok odpadní vody.\n190L na jedno umytí
+
+ Vana
+
+Spalovací jáma
+
+ Ničí fekální kompost jeho spálením. Také ji lze využít pro likvidaci jiných odpadků či dokonce mrtvol. Pokud budou kolonisté trávit příliš mnoho času v blízkosti hořícího odpadu, mohou onemocnět.
+
+ Vodní fontána používaná pro pití a mytí.
+
+ Fontána
+
+ Jednoduchá sprcha. K provozu potřebuje vodu z vodojemů nebo teplou vodu z nádrží na teplou vodu. Nevyžaduje odtok pro odpadní vodu.\n65L na jedno umytí
+
+ Jednoduchá sprcha
+
+ Necky
+
+ Necky na vodu používané pro osobní hygienu. Musí být pravidelně doplňovány čerstvou vodou a též je doplňuje déšť. Kolonisté mohou vodu i pít, pokud je zapnuta žízeň.
+
+ Prosté a čisté umyvadlo, ve kterém si můžeš po použití toalety umýt ruce, aby byly krásně čisté.
+
+ Umyvadlo
+
+ Zvířecí toaleta
+
+ Krabice na výkaly či moč menších zvířat používaná ve vnitřních prostorách.
+
+ Koupelnová předložka
+
+ Malá předložka, která se dává vedle vany nebo sprchy, aby absorbovala vlhkost.
+
+ Jednoduchá sprcha. K provozu potřebuje vodu z vodojemů nebo teplou vodu z nádrží na teplou vodu. Nevyžaduje odtok pro odpadní vodu.\n65L na jedno umytí
+
+ Sprcha
+
+ Miska na vodu
+
+ Miska na vodu pro zvířata.
+
+ Prostě kuchyňský dřez. Zvyšuje čistotu místnosti.
+
+ Kuchyňský dřez
+
+ Latrína
+
+ Jáma v zemi sloužící jako toaleta. Je nezbytné ji pravidelně manuálně vyprazdňovat nebo ji připojit k odpadnímu potrubí.\n14L na jedno použití
+
+ Koryto na vodu
+
+ Koryto na vodu pro zvířata, v základu vybavené plovákovým ventilem, který vodu automaticky doplňuje, pokud jí je málo. Též se naplňuje v dešti.
+
+ Dveře od kabinky
+
+ Tenké dveře, které chrání lidi používající vybavení kabinky v koupelně před zraky ostatních. Nevytváří nové místnosti ani nebrání úniku tepla.
+
+ Primitivní studna
+
+ Zpřístupňuje podzemní vodu, která musí být manuálně přenášena do necek, než ji bude možné pít pít nebo používat k mytí.
+
+ Sanitární vybavení koupelen sloužící k odvodu výkalů a moči do odpadní vody.\n14L na jedno použití
+
+ Toaleta
+
+ Ohřívá vodu dle využití a díky tomu nevyžaduje připojení nádrže s teplou vodou. Také čistí dvakrát tak rychleji.\n90L na jedno umytí
+
+ Výkonná sprcha
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..fffa689
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,28 @@
+
+
+
+ Palivová saunová kamna
+
+ Kamna vyrobená speciálně pro saunu, jejíž pravidelné používání snižuje riziko srdečního infarktu. Vytopí místnost na 60 °C.
+
+ Vířivka se používá pro hydroterapii či relaxaci. Při prvním použití musí být naplněna vodou z vodojemu. Vodu může ohřívat sama a nevyžaduje odtok odpadní vody.
+
+ Vířivka
+
+ Pračka
+
+ Vyčistí oblečení tak skvěle, že ani nepoznáte, že v něm někdo zemřel.
+
+ Elektrická saunová kamna
+
+ Kamna vyrobená speciálně pro saunu, jejíž pravidelné používání snižuje riziko srdečního infarktu. Vytopí místnost na 60 °C.
+
+ Saunové lavičky
+
+ Lavičky používané v saunách
+
+ Bazén se používá pro hydroterapii či relaxaci. Nejdříve však musí být naplněn vodou z vodojemů.
+
+ Bazén
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..4ca6f55
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,48 @@
+
+
+
+ Skladuje vodu pro využití ve vodovodním systému. Pokud je voda kontaminována, musí být vypuštěn.
+
+ Sud na vodu
+
+ Septik
+
+ Pomalu čistí odpadní vodu. Ta je nejdříve vedena do septiků. Pokud jsou plné, je přebytek odpadní vody odeslán do výpustí.
+
+ Úpravna vody
+
+ Ničí až 99,99% mikrobů! Filtruje vodu uskladněněnou ve vodojemech a všechnu, která se spotřebovává pro hygienu či pití v armaturách připojených na vodovodní systém, což zcela eliminuje riziko onemocnění z kontaminované vody.
+
+ Výpusť odpadní vody
+
+ Může být umístěna kdekoliv. Odpadní voda se bude hromadit v okolí nebo rozptylovat ve vodě. Odpadní voda se postupně sama čistí; stromy, voda (především tekoucí) nebo déšť tento proces urychlí.
+
+ Elektrické čerpadlo
+
+ Čerpá vodu ze studní do vodojemů. Maximální průtok: 1500 l/den.
+
+ Studna
+
+ Zpřístupňuje podzemní vodu, kterou lze čerpat pomocí čerpadel. Též může čerpat z přírodních vodních nádrží nebo toků. Pokud je ve vodním zdroji přítomna odpadní voda, zhorší se kvalita čerpané vody a může dojít k její kontaminaci.
+
+ Větrné čerpadlo
+
+ Čerpá vodu ze studní do vodojemů. Maximální průtok: 3000 l/den.
+
+ Skladuje vodu pro využití ve vodovodním systému. Pokud je voda kontaminována, musí být vypuštěn.
+
+ Obří vodojem
+
+ Čerpací stanice
+
+ Čerpá vodu ze studní do vodojemů. Kapacita: 10000 l/den.
+
+ Skladuje vodu pro využití ve vodovodním systému. Pokud je voda kontaminována, musí být vypuštěn.
+
+ Vodojem
+
+ Hluboká studna
+
+ Zpřístupňuje podzemní vodu ve velké oblasti, kterou lze následně čerpat pomocí vodních čerpadel. Voda z hlubokých studní není ovlivňována znečištěním.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..540f00d
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,64 @@
+
+
+
+ Vnitřní klimatizační jednotka
+
+ Vnitřní klimatizační jednotka pro regulaci teploty v místnostech. Připojuje se k vnějším jednotkám. Spotřebovává 100 jednotek chlazení.
+
+ Hezký věšák na ručníky
+
+ Věšák na ručníky
+
+ Trojnásobný výkon oproti standardnímu radiátoru. Užitečný pro velké místnosti. Vyžaduje 300 jednotek ohřevu.
+
+ Velký radiátor
+
+ Termostat
+
+ Používá se pro regulaci elektrických a plynových bojlerů. Může jich být umístěno více. Připojuje se přes standardní potrubí.
+
+ Elektrický bojler
+
+ Vytváří různý počet jednotek ohřevu pro radiátory a nádrže na teplou vodu. Nastavení je možné měnit manuálně nebo pomocí termostatů.
+
+ Venkovní klimatizační jednotka
+
+ Multisplitová klimatizační jednotka. Umístěte ji venku a propojte ji pomocí klimatizačního potrubí s vnitřnímu jednotkami nebo mrazáky. Nastavitelný výkon v rozmezí 100-1000 jednotek chlazení.
+
+ Ohřívá místnosti pomocí teplé vody. Vyžaduje 100 jednotek ohřevu.
+
+ Radiátor
+
+ Stropní větrák 1x1
+
+ Pomocí cirkulace vzduchu ochlazuje místnost. Též má zabudovanou žárovku.
+
+ Nádrž na teplou vodu
+
+ Skladuje teplou vodu pro sprchy a vany. Pro ohřev vody ji připojte k jakémukoliv bojleru.
+
+ Vnitřní mrazící jednotka
+
+ Mrazící jednotka, pomocí které můžeš z celé místnosti udělat mrazák. Připojuje se k venkovním klimatizačním jednotkám. Vyžaduje 300 jednotek chlazení.
+
+ Bojler na dřevo
+
+ Vytváří 2000 jednotek ohřevu pro připojené radiátory a nádrže na teplou vodu. Vytápí místnost a blízké vany. Jako palivo používá dřevo.
+
+ Plynový bojler
+
+ Vytváří 2000 jednotek ohřevu pro připojené radiátory a nádrže na teplou vodu. Vyžaduje chemické palivo. Lze jej ovládat pomocí termostatů.
+
+ Solární ohřívač
+
+ Ohřívá vodu pro nádrže a radiátory pomocí slunečního světla. Produkuje 0-2000 jednotek ohřevu v závislosti na intenzitě světla a okolní teplotě.
+
+ Geotermální ohřívač
+
+ Ohřívá vodu do nádrží a radiátorů pomocí geotermální energie z gejzírů. Výkon: 3700 jednotek ohřevu.
+
+ Pomocí cirkulace vzduchu ochlazuje místnost. Též má zabudovanou žárovku.
+
+ Stropní větrák 2x2
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..b8a4bd0
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,18 @@
+
+
+
+ Zavlažovací postřikovač
+
+ Kropí každé ráno okolí vodou, aby tak zvýšil úrodnost půdy. Každé ráno při nastavení maximálního dosahu spotřebuje 1000 l vody.
+
+ Kompostér
+
+ Kompostér přetvářející odpadní vodu na hnojivo, které zvyšuje úrodnost terénu, do kterého lze kopat.
+
+ Protipožární sprinkler
+
+ Spouští se pomocí ohně či vysoké teploty. Hasí požáry postřikem vodou.
+
+ Spustit protipožární sprinkler
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/Czech/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..4b0fe90
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,12 @@
+
+
+
+ Surové splašky
+
+ Výkaly
+
+ Moč
+
+ Moč na zemi.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Czech/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..0001caa
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,12 @@
+
+
+
+ Bionický močový měchýř
+
+ Pokročilý umělý močový měchýř. Vybavený chemickým recyklačním systémem, který rozkládá odpadní produkty metabolismu do molekul, které jsou následně recyklovány, a zbytek je vypuštěn ve formě plynu. Nevýhodou je, že uživatel místo močení... prdí.
+
+ Posilovač hygieny
+
+ Vypouští nanity, které rozkládají mrtvé kožní buňky či další nečistoty na kůži či vlasech a bezpečně je vypouštějí do ovzduší.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/Czech/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..c0d4085
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,24 @@
+
+
+
+ Voda
+
+ Láhev vody
+
+ Vypít {0}
+
+ Pije {0}.
+
+ Biosolidy
+
+ Při správném zacházení a zpracování se z fekálního kalu stanou biosolidy, kterými lze mírně zvýšit úrodnost půdy. To se hodí v drsnějším prostředí, ve kterém není tolik prostoru pro pěstování rostlin. Biosolidy lze také v kombinaci se zavlažováním použít k zúrodnění písku.
+
+ Fekální kal
+
+ Sud plný fekálního kalu. Lze jej někde vyklopit, spálit nebo zkompostovat na biosolidy.
+
+ Podložní mísa
+
+ Nádoba, která umožňuje na lůžko upoutaným pacientům močit a kálet.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/Mote_Visual.xml b/1.5/Languages/Czech/DefInjected/ThingDef/Mote_Visual.xml
new file mode 100644
index 0000000..9332223
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/Mote_Visual.xml
@@ -0,0 +1,6 @@
+
+
+
+ mote
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThingDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Czech/DefInjected/ThingDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..4bb5056
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThingDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,8 @@
+
+
+
+ Čistírna odpadních vod
+
+ Umožní postavit velké čistírny odpadních vod, ve kterých je akumulováno a čištěno velké množství odpadní vody.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/Czech/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..602c3c0
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,92 @@
+
+
+
+ {PAWN_gender ? Osvěžený : Osvěžená}
+
+ {PAWN_gender ? Napil : Napila} jsem se vody. Osvěžující
+
+ {PAWN_gender ? Vypil : Vypila} kontaminovanou vodu
+
+ Ta voda byla kontaminovaná, snad neonemocním.
+
+ {PAWN_gender ? Vypil : Vypila} vlastní moč.
+
+ Pít vlastní moč, jak to mohlo dojít takhle daleko.
+
+ Cítí se trapně
+
+ Někdo mě viděl při koupeli, což mi nebylo zrovna příjemné.
+
+ Cítí se trapně
+
+ Někdo mě viděl při používání toalety.
+
+ Podělané kalhoty
+
+ Už to nešlo dál udržet, {PAWN_gender ? podělal : podělala} jsem se.
+
+ Horká sprcha
+
+ Ta horká sprcha byla příjemná.
+
+ Vyhřátý bazén
+
+ Ten vyhřátý bazén byl skvělý.
+
+ Horká koupel
+
+ Jsem po krásně horké koupeli.
+
+ Studená koupel
+
+ Ta studená koupel byla osvěžující.
+
+ Studená sprcha
+
+ Ta studená sprcha byla osvěžující.
+
+ Studená voda
+
+ Teplá netekla!
+
+ {PAWN_gender ? Ulevil : Ulevila} si
+
+ Aaaach, mnohem lepší.
+
+ {PAWN_gender ? Vykálel : Vykálela} se venku
+
+ Kadit venku není zrovna příjemné.
+
+ Příšerná koupelna
+
+ Moje koupelna je fakt hnusné místo.
+
+ Slušná koupelna
+
+ Moje koupelna je celkem hezká. Super.
+
+ Mírně působivá koupelna
+
+ Moje koupelna je celkem působivá. To se mi líbí.
+
+ Působivá koupelna
+
+ Moje koupelna je působivá. Miluju to tam.
+
+ Velmi působivá koupelna
+
+ Má koupelna je fakt působivá. Je to to nejlepší místo na světě!
+
+ Nesmírně působivá koupelna
+
+ Má koupelna je nesmírně působivá. Je to to nejlepší místo na světě!
+
+ Neuvěřitelně působivá koupelna
+
+ Má koupelna je neuvěřitelně působivá. Je to to nejlepší místo na světě!
+
+ Zázračná koupelna
+
+ Moje koupelna je to nejkrásnější místo, sotva se to dá popsat slovy. Nádhera.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/Czech/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..c9b1132
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,28 @@
+
+
+
+ {PAWN_gender ? špinavý : špinavá}
+
+ Smrdím jako bych se {PAWN_gender ? vykoupal : vykoupala} ve splaškách.
+
+ Trochu {PAWN_gender ? špinavý : špinavá}
+
+ Cítím se trochu {PAWN_gender ? špinavý : špinavá}.
+
+ {PAWN_gender ? Čistý : Čistá}
+
+ Cítím se {PAWN_gender ? čistý a čerstvý : čistá a čerstvá}.
+
+ Jako ze škatulky
+
+ Jsem jako ze škatulky!
+
+ Před prasknutím
+
+ Už fakt musím, jinak asi prasknu!
+
+ Potřebuje na toaletu
+
+ Musím jít na záchod.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/Czech/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..aa191fc
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,22 @@
+
+
+
+ Germofob
+
+ [PAWN_nameDef] je {PAWN_gender ? posedlý : posedlá} mikroby a myje se mnohem častěji, než je normální.
+
+ Čistotný
+
+ Čistotná
+
+ [PAWN_nameDef] je velice {PAWN_gender ? čistotný : čistotná} a častěji se myje.
+
+ {PAWN_gender ? Nepříliš čistotný : Nepříliš čistotná}
+
+ [PAWN_nameDef] na hygienu moc není a bude se mýt méně často.
+
+ Špindíra
+
+ [PAWN_nameDef] má velice špatné hygienické návyky a bude se mýt jen, pokud to bude nezbytně nutné.
+
+
diff --git a/1.5/Languages/Czech/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/Czech/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..3df666e
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,64 @@
+
+
+
+ Pohnojit
+
+ Pohnojit
+
+ Hnojí
+
+ Převrhnout splašky
+
+ Převrhnout flašky
+
+ Převrhává
+
+ Vypustit vodu
+
+ Vypustit
+
+ Vypouští
+
+ Dodat tekutiny
+
+ Dát napít
+
+ Dává napít
+
+ Dodat tekutiny
+
+ Dát napít
+
+ Dává napít
+
+ Uvolnit odtok
+
+ Uvolnit odtok
+
+ Uvolňuje odtok
+
+ Umýt pacienta
+
+ Umýt
+
+ Myje
+
+ Umýt dítě
+
+ Umýt
+
+ Umývá
+
+ Umýt podložní mísu
+
+ Umýt
+
+ Umývá
+
+ Umýt podložní mísu
+
+ Umýt
+
+ Umývá
+
+
diff --git a/1.5/Languages/Czech/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/Czech/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..4357a9d
--- /dev/null
+++ b/1.5/Languages/Czech/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,70 @@
+
+
+
+ Spálit fekálie
+
+ Spálit
+
+ Spaluje u:
+
+ Naházet splašky do sudu
+
+ Odstranit splašky
+
+ Odstraňuje splašky
+
+ Vyprázdnit pračku
+
+ Vyprázdnit pračku
+
+ Vyprazdňuje pračku
+
+ Naplnit pračku
+
+ Naplnit pračku
+
+ Plní pračku
+
+ Vybrat kompost z kompostéru
+
+ Vybrat kompost
+
+ Vybírá kompost z:
+
+ Naplnit kompostér
+
+ Naplnit
+
+ Plní
+
+ Vyprázdnit septik
+
+ Vyprázdnit
+
+ Vyprazdňuje
+
+ Vyprázdnit septik
+
+ Vyprázdnit
+
+ Vyprazdňuje
+
+ Doplnit vodu
+
+ Doplnit
+
+ Doplňuje
+
+ Doplnit vodu
+
+ Doplnit
+
+ Doplňuje
+
+ Vyčistit špínu uvnitř
+
+ Vyčistit
+
+ Čistí
+
+
diff --git a/1.5/Languages/Czech/Keyed/DubsHygiene.xml b/1.5/Languages/Czech/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..df3c126
--- /dev/null
+++ b/1.5/Languages/Czech/Keyed/DubsHygiene.xml
@@ -0,0 +1,266 @@
+
+
+
+
+ Věci:
+ Terén:
+ Prostředí:
+ Znečištění
+ Kontaminace odpadními vodami
+
+
+ Odstranit potrubí
+ Označí sekce potrubního systému k rozebrání.
+ Odstranit odpadní vodu
+ Odstraní odpadní vodu ze země a umístí ji do sudů.
+ Odstranit potrubí
+ Odstranit klimatizaci
+
+
+ Místnost je pro vytápění moc veliká!\nMaximum na jedno topné těleso je 50 políček\nPřidej další saunová topná tělesa nebo místnost zmenši.
+ Bazén je vyhřívaný
+ Teď nelze bazén použít:
+ Prší
+ Příliš velká zima {0}
+ Vězení potřebuje zdroj vody
+ Vězeňská cela nemá přístup k pitné vodě, postav aspoň jeden zdroj pitné vody, jako jsou třeba necky s vodou nebo umyvadlo, aby měli vězni přístup k pitné vodě.
+ Chybí vodojem
+ K uskladnění vody načerpané ze studní je potřeba vodojem nebo sud na vodu.
+ Chybí studna
+ Čerpadla musí být propojena pomocí trubek se studnou, aby mohla čerpat podzemní či povrchovou vodu.
+ Chybí vodní čerpadlo
+ K čerpání vody ze studní do vodojemů je potřeba čerpadlo.
+ Kontaminace vody radioaktivním spadem
+ Po dvou dnech toxického spadu dojde k zamoření všech zásobníků vody, které jsou propojené se studnami.\n\nPřiprav se na to tak, že si uděláš dostatečnou zásobu vody a poté včas uzavřeš ventil, abys odpojil studny a ochránil tak vodu před kontaminací.\n\nTaké můžeš používat hluboké studny pro získání nekontaminované vody nebo nainstalovat úpravnu vody, která tvé zásoby vody zbaví radioaktivní kontaminace.
+
+ Nízká chladící kapacita. Můžeš ji zvýšit zvýšením výkonu venkovních jednotek.
+ Přístup omezen
+ Pouze {0}
+ Pouze vězni
+ Výpusť odpadních vod byla zablokována.
+ V okolí výpusti se nahromadila odpadní voda a blokuje výpusť.\n\nPostav další výpusti nebo septik, aby současné výpusti nebyly přetížené.
+ Nízká teplota vody
+ Teplota vody v této nádrži je příliš nízká; kolonisté, kteří očekávají teplou vodu, z toho mohou být naštvaní.\n\nZapni bojlery, zvyš kapacitu ohřevu nebo přidej další nádrž na teplou vodu.
+ Musí být umístěno na políčku s podzemní vodou.
+ Tohle musí být umístěno v místnosti, aby bylo možné omezit přístup.
+ Vyžaduje vodojem
+ Přiřazení vyžaduje potřebu vyměšování, ale {0} tuto potřebu nemá.
+
+ Žádný kompostovatelný materiál
+ Žádný přívod vody
+ Žádný přívod odpadní vody
+ Vyžaduje potrubí
+ Přístup omezen
+
+ Příliš horké: x{0}
+ V dešti: x{0}
+ Námaha: x{0}
+ Místnost: x{0}
+ Celkem: x{0}
+ Špinavé ruce - hrozí onemocnění
+
+ Ucpaný odtok.
+ Došlo k ucpání odtoku. Uklízeč ho musí vyčistit.
+
+ Kontaminovaná voda
+ Studna je znečištěna.\n\nZdroje znečištění:\n{0}\n\nPřesuň studnu, odstraň zdroje kontaminace, nebo přidej úpravnu vody, pokud používáš studny s potrubím, ta postupně vyčistí znečištěnou vodu ve vodojemech..
+ Kontaminovaný vodojem
+ Voda ve vodojemu byla znečištěna, což představuje vážné zdravotní riziko pro tvé kolonisty. Odstraň příčinu znečištění a nádrž vypusť nebo postav úpravnu vody.
+
+ {0} Se kvůli špatné osobní hygieně nakazil/a nemocí: {1}
+ {0} se kvůli pití kontaminované vody nakazil/a nemocí: {1}
+ {0} se kvůli pití kontaminované vody nakazil/a nemocí: {1}
+
+
+ Změnit omezení pohlaví
+ Nemocniční
+ Omezit využití pro pacienty
+ Pouze pro pacienty
+ Útočná helikoptéra
+ Unisex
+ Přiřadit postel
+ Spojit zařízení s blízkou postelí, aby jej mohl využívat jen její vlastník. Podrž Shift pro přiřazení většího počtu postelí
+ Zrušit přiřazení postelí
+ Zruší spojení s postelemi
+ Pouze pro zvířata
+ Kontrola obsazenosti
+ Určuje, zda postavy zkontrolují, zda je v místnosti něco zarezervované, než půjdou používat vybavení, což jim zabrání, aby se navzájem obtěžovaly při používání umyvadel či toalet
+ Kolonisté
+ Otroci
+ Hosté
+ Ne pro kolonisty
+ Ne pro otroky
+ Ne pro hosty
+
+
+
+ Teplota vody: {0}
+ Připojená spotřeba/kapacita: {0} / {1} U ({2})
+ Připojená spotřeba/kapacita: {0} / {1} U ({2})
+ Využití ohřevu: {0} U
+ Využití chlazení: {0} U
+ Jednotky ohřevu/energie: {0} U / {1} W
+ Jednotky chlazení/energie: {0} U / {1} W
+ Efektivita: {0}
+ Efektivita: {0}, přehřívá se
+ Minimální teplota: {0}
+ Snížit příkon
+ Snížit kapacitu ohřevu.
+ Zvýšit příkon
+ Zvýšit kapacitu ohřevu.
+ Kapacita teplé vody: {0}
+ Přemostit termostat
+ Přinutí bojler k neustálému provozu.
+ Ventilátory nesmí být blokovány!
+ Příliš chladno
+ Pod střechou
+ Jednotky ohřevu (efektivita): {0} U ({1})
+ Teplota radiátoru: {0}
+ Termostat přemostěn nádržemi na teplou vodu. Nastavit všechny připojené nádrže na teplou vodu zpět na řízení termostatem.
+ Řízení termostatem
+ Zapne bojlery na 1 hodunu, pokud teplota příliš poklesne. Pokud bude toto nastavení vypnuto, pojedou bojlery neustále a budou ignorovat termostaty v místnostech.
+
+
+ Umýt si ruce
+ Umýt se
+ Použít
+ Využití = {0}
+ Je nutné potrubí
+ Ucpaný odtok
+ Připoj potrubí nebo latrínu vyprázdni
+ Běží...
+ Vyprázdnit
+ Obsah: {0}/{1}
+ Žádné špinavé oblečení
+ Žádné volné místo
+ Není dostupná voda nejvyšší kvality.
+
+ Průtok +50L
+ Průtok -50L
+ Rychlost plnění vodou: {0}L/h
+ Napít se
+ Přepnout ventil
+ Uzavře nebo otevře ventil.
+ Ventil uzavřen
+
+ Maximální průtok: {0} L/den
+ Dostupná voda: {0} L/den
+ Připojená čerpadla/Dostupná voda: {0}/{1} L/den ({2})
+
+ Zásoba vody: {0} L
+ Celková zásoba vody: {0} L
+
+ Úroveň znečištění: {0}
+
+ Zmenšit poloměr
+ Zvětšit poloměr
+ Kvalita: Neupravená - Nízké riziko onemocnění
+ Kvalita: Kontaminovaná - Vysoké riziko onemocnění!
+ Kvalita: Upravená - Bez rizika
+
+ Vypustit nádrž
+ Vypustí nádrž a odstraní tak kontaminaci.
+
+ Hodnota vody: {0} pro {1} L
+ Voda
+
+ Překrývá se s {0} studnami
+
+
+ Odpadní voda {0}
+ Odtok
+ Nastaví úroveň, při které bude fekální kal vyprázdněn do barelů. Pak jej bude možné někde vyklopit, spálit nebo přeměnit na biosolid nebo palivo.
+ Zpracovává: {0} L/d. Obsah: {1} L ({2})
+ Nevyprazdňovat
+ Vypustit nádrž při {0}
+
+ Jáma: {0}
+ Jáma je plná, nech ji vyprázdnit!
+ Převrhnout
+ Převrhne tento barel s odpadní vodou na zem.
+
+
+ Obsahuje kompost: {0}/{1} L
+ Obsahuje fekální kal: {0}/{1} L
+ Kompostováno
+ Postup kompostování: {0} ({1})
+ Kompostér nemá ideální teplotu
+ Ideální teplota pro kompostování
+ Setí v růstové zóně zakázáno
+ Není dostupné hnojivo
+ Hnojená oblast
+ Určí oblast, která bude hnojena pomocí biosolidů.
+ Rozšířit oblast
+ Odstranit oblast
+
+
+ Rozsah pro hledání pití k zabalení: {0}
+ Balení nápojů: hledat: {0}, balit: {1}
+ Restart
+ Prioritizovat úklid vnitřních prostor
+ Zvýší prioritu úklidu nečistot ve vnitřních prostorách
+ Asistence s odstraňováním modů
+ Steps:\n\n1: Ulož si hru hned po stisku tlačítka potvrdit\n2: Odejdi do hlavního menu, vypni mód a restartuj hru\n3: Nahraj uloženou hru, ignoruj vyjímky a ulož ji znovu\nNahraj uloženou hru znovu, neměly by být žádné vyjímky ohledně chybějících def souborů módu bad hygiene nebo tříd.
+ Pití domácích zvířat
+ Domácí zvířata mají potřebu pít
+ Pro zvýšení kvality a artistické kompozice je potřeba restart.\n\n restartovat nyní?
+ Výbava koupelen: kvalita a umění
+ Umožní, aby měla výbava koupelen, jako například toalety, úroveň kvality a možnost uměleckého díla
+ Pro změnu tohoto nastavení odejdi do hlavního menu.
+ Spojení s módem Rimefeller
+ Umožní využití vody pro krakování a rafinaci v módu Rimefeller
+ Spojení s módem Rimatomics
+ Umožní využití vody v chladících věžích v módu Rimatomics.
+ Manuální nastavení potřeb pro různé druhy, rasy či aktivní stavy.
+ Filtr potřeb
+ Vypnout potřebu vyměšování
+ Vypnout potřebu hygieny
+ Potřeby
+ Klikni pro povolení
+ Vězni
+ Určje, zda budou vězni mít potřeby
+ Hosté
+ Určuje, zda budou hosté mít potřeby
+ Soukromí
+ Kolonisté mají potřebu soukromí při používání toalet či při koupání.
+ Efektivita chlazení
+ Nastavuje, zda vysoké teploty ovlivní efektivitu chlazení jako u reálné klimatizace
+ Zavlažování deštěm
+ Déšť bude zavlažovat stejně, jako rozstřikovače. Může zhoršít výkon hry.
+ Zapnout/vypnout potřeby
+ Zcela vypne potřeby. Tím se přepíšou všechna ostatní nastavení.
+ Umožnit nápoje z modifikací
+ Postavy budou moci pít a balit si jakékoliv nápoje z jiných modifikací. V základu lze použít VGP a RimCuisine, ale ostatní budou vyžadovat modifikaci def souborů.
+ Brát si lahve s vodou
+ Kolonisté si budou automaticky brát do inventáře lahve s vodou, pokud to půjde.\n\nNemusí fungovat s jinými modifikacemi. Pro modifikaci CE (Combat Extended?) budeš muset lahve manuálně zadávat do výbavy, jinak je budou kolonisté házet na zem.
+ Filtr potřeb
+ Hlavní obsah
+ Experimentální obsah
+ Vyměšování domácích zvířat
+ Aktivuje ochočeným zvýřatům potřebu vyměšování. Také pro ně přidá zvířecí toalety.
+ Vyměšování divokých zvířat
+ Aktivuje divokým zvířatům potřebu vyměšování. Mohou udělat celkem bordel.
+ Potřeba pít
+ Aktivuje všem kolonistům potřebu pít a přidá potřebu "Pití". Také přidá fontánky na pití a lahve na vodu. Vyžaduje restart.
+ Viditelnost hnojiva
+ Nastaví, zda bude vidět mapa hnojení
+ Nelidští kolonisté
+ Aktivuje potřeby nelidských kolonistů. Specifické potřeby se dají vypnout ve filtru potřeb.
+ Extra obsah
+ Lite verze (zjednoduší mód)
+ Přepne modifikaci do zjednodušeného režimu, který odstraní potrubí, správu normální i odpadní vody a všechny budovy a práce, které se přímo netýkají hygieny či pití.\n\nTohle znemožní nahrání spousty def souborů a vyžaduje restart.\n\n Pokud se snažíš nahrát uloženou pozici, ve které již nějaké hygienické budovy stojí, budeš asi muset hru uložit a nahrát, až to aktivuješ
+ Po změně nastavení lite modifikace hru znovu nahrát\n\nPokud se snažíš nahrát uloženou pozici, ve které již nějaké hygienické budovy stojí, budeš asi muset hru uložit a nahrát, až to aktivuješ
+ Pasivní chladiče využívají vodu
+ Pasivní chladiče nebudou používat dřevo a namísto budou plněny vodou, podobně jako necky.
+ Integrace modifikace SoS2
+ Přidá správu vody a odpadní vody do systémů podpory života a potrubí do lodních struktur.
+ Doplnit vodu x{0}
+ Wiki modifikace Bad Hygiene
+ Přejít na Wiki modifikace Bad Hygiene
+ Mód přežití
+ Omezuje generování mělké vody na velmi malé plochy. Terén už v základu nebude generovat podzemní vodu a poloměr podzemní vody okolo vodních ploch bude omezen.Limits the default shallow water grid generation to very small patches. Terrain features no longer generate water, and the radius around surface water is reduced.\n\nA new game is not required; works with existing saves.
+ Hydroponie
+ Elektricky napájená zařízení pro růst rostlin, jako například hydroponie, budou mít integrované vodní nádrže, které bude nutné plnit z potrubí. Rostliny zahynou při nedostatku vody namísto nedostatku elektřiny, ale bez elektřiny se zase nebudou plnit nádrže.
+ Pro přidání či odstranění předmětů souvisejících s pitím je nutný restart.\n\nRestartovat nyní?
+
+
diff --git a/1.5/Languages/English/Keyed/DubsHygiene.xml b/1.5/Languages/English/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..d582af5
--- /dev/null
+++ b/1.5/Languages/English/Keyed/DubsHygiene.xml
@@ -0,0 +1,265 @@
+
+
+
+
+ Things:
+ Terrain:
+ Environment:
+ Pollution
+ Sewage contamination
+
+
+ Remove pipes
+ Designate sections of a pipe type for deconstruction.
+ Remove sewage
+ Remove sewage from the ground and place it into barrels.
+ Remove plumbing
+ Remove air-con
+
+
+ Room is too large to heat!\nMaximum of 50 cells per heater\nAdd more sauna heaters or shrink the room
+ Pool is heated
+ Cannot use pool now:
+ Raining
+ Too cold {0}
+ Prison needs water source
+ A prison cell has no access to drinking water, build at least 1 drinking water source like a water tub or basin so that prisoners have free access to drinking water
+ Missing water tower
+ A water tower or water butt is required to store water pumped from wells.
+ Missing well
+ Pumps require a piped well to access ground water.
+ Missing water pump
+ A water pump is required to pump the water from a well to a water tower.
+ Fallout water contamination
+ After 2 days of toxic fallout the buildup will contaminate any water storage tanks connected to water wells.\n\nPrepare by creating a reserve of water and then using a valve to disconnect the wells to protect the water from contamination before it is too late.\n\nYou can also use a deep well to access uncontaminated water, or install a water treatment system which will eliminate all contamination from water reserves.
+
+ Low cooling capacity. You can increase the power of outdoor units.
+ Access restricted
+ {0} only
+ Prisoners only
+ A sewage outlet has become blocked.
+ Sewage has built up around the drain hole and is blocking the outlet.\n\nBuild more outlets or add a septic tank to create a buffer and reduce pressure on the outlets.
+ Low water temp
+ The water temperature in this tank is too low; colonists expecting to use hot water may get annoyed.\n\nTurn on boilers, increase the heating capacity, or add another hot water tank.
+ Must be placed over a cell with ground water.
+ The fixture must be inside a room to restrict it.
+ Requires water storage tower
+ Assigning requires bladder need, but {0} doesn't have bladder need.
+
+ No composting material
+ No water capacity
+ No sewage capacity
+ Requires plumbing
+ Access restricted
+
+ Too hot: x{0}
+ In rain: x{0}
+ Exertion: x{0}
+ Room: x{0}
+ Total: x{0}
+ Dirty hands - Disease risk
+
+ A drain has become blocked.
+ A drain has become blocked. A cleaner must clean the blockage.
+
+ Contaminated water
+ A well has become polluted.\n\nSources of contamination:\n{0}\n\nEither move the well, remove the sources of contamination, or if you are using piped wells add a water treatment system, which will also clean contaminated water towers over time.
+ Contaminated water tower
+ A water tower has become polluted, posing a serious health risk to your colonists. Solve the cause of the pollution and then drain the tank, or build a water treatment system.
+
+ {0} has contracted {1} because of bad personal hygiene
+ {0} has contracted {1} from drinking untreated water
+ {0} has contracted {1} from drinking contaminated water
+
+
+ Change gender restriction
+ Medical
+ Limit this fixture to patients only.
+ Patients only
+ Attack helicopter
+ Unisex
+ Link bed
+ Connect the fixtures to a nearby bed so they inherit the ownership. Hold shift to assign multiple beds
+ Clear bed link
+ Clear the link to beds
+ Animals only
+ Occupancy Check
+ Should pawns check if anything in the room is reserved before trying to use the fixture, prevents pawns from walking in on each other to use basins and toilets at the same time
+ Colonists
+ Slaves
+ Guests
+ Colonists restricted
+ Slaves restricted
+ Guests restricted
+
+
+ Water temp: {0}
+ Connected demand/capacity: {0} / {1} U ({2})
+ Connected demand/capacity: {0} / {1} U ({2})
+ Heating usage: {0} U
+ Cooling usage: {0} U
+ Heating units/power: {0} U / {1} W
+ Cooling units/power: {0} U / {1} W
+ Efficiency: {0}
+ Efficiency: {0} overheating
+ Minimum temp: {0}
+ Reduce power
+ Reduce the heating capacity.
+ Increase power
+ Increase the heating capacity.
+ Hot water capacity: {0}
+ Override thermostat
+ Force the boiler to run continuously.
+ Exhaust vents must be kept clear!
+ Too cold
+ Roofed
+ Heating units (efficiency): {0} U ({1})
+ Radiator temp: {0}
+ Thermostat overridden by hot water tanks. Set all connected hot water tanks to thermostat mode.
+ Thermostat control
+ Turn on boilers for 1 hour when the tank temperature is low. If this is disabled then boilers will run continuously and ignore room thermostats.
+
+
+ Wash hands
+ Wash
+ Use
+ Usage = {0}
+ Must be plumbing
+ Blocked drain
+ Plumb or empty the latrine
+ Running...
+ Unload now
+ Load: {0}/{1}
+ No dirty clothes
+ No space
+ No unreserved water sources of the highest available quality.
+
+ Flow +50L
+ Flow -50L
+ Fill Rate: {0}L/h
+ Drink
+ Toggle valve
+ Toggle the valve between open and closed.
+ Valve closed
+
+ Pump capacity: {0} L/day
+ Ground capacity: {0} L/day
+ Piped pump/Ground capacity: {0}/{1} L/day ({2})
+
+ Water stored: {0} L
+ Piped water stored: {0} L
+
+ Pollution level: {0}
+
+ Decrease radius
+ Increase radius
+ Quality: Untreated - Small disease risk
+ Quality: Contaminated - High disease risk!
+ Quality: Treated - Safe
+
+ Drain tank
+ Drain the tank and remove contamination.
+
+ Water value: {0} for {1} L
+ Water
+
+ Overlaps with {0} wells
+
+
+ Sewage {0}
+ Drain
+ Set the level at which fecal sludge should be emptied into barrels. Fecal sludge can be moved and knocked over, burned, or turned into biosolids or fuel.
+ Treating: {0} L/d. Holding: {1} L ({2})
+ Do not drain
+ Drain tank at {0}
+
+ Pit: {0}
+ Pit is full, empty now!
+ Kick over
+ Spill this barrel of sewage on the ground.
+
+
+ Contains compost: {0}/{1} L
+ Contains fecal sludge: {0}/{1} L
+ Composted
+ Composting progress: {0} ({1})
+ Composter has non-ideal temperature
+ Ideal composting temperature
+ Growing zone sowing disabled
+ No fertilizer found
+ Fertilizer area
+ Designate areas to fertilize with biosolids.
+ Add area
+ Remove area
+
+
+ Drink packing search range: {0}
+ Drink packing: search at {0}, pack {1}
+ Restart
+ Prioritize indoor cleaning
+ Enables a higher priority cleaning job to clean indoors first
+ Mod removal assist
+ Steps:\n\n1: Save your game immediately after pressing confirm\n2: Quit to the main menu and disable the mod and restart the game\n3: Load your save game, ignore any exceptions and save it again\nLoad the save game once more and there shouldn't be any exceptions related to missing bad hygiene defs or classes!
+ Pet thirst
+ Pets get the thirst need
+ A restart is required to add quality and art comps back in.\n\n restart now?
+ Fixture quality and art
+ Enable quality and art comps for fixtures like toilets
+ Quit to main menu to change.
+ Rimefeller link
+ Enable water usage on crackers and refiners in Rimefeller.
+ Rimatomics link
+ Enable water usage on cooling towers in Rimatomics.
+ Manually disable needs by body type, race, or active hediff.
+ Needs filter
+ Disable bladder need
+ Disable hygiene need
+ Needs
+ Tick to enable
+ Prisoners
+ Set if prisoners should have needs
+ Guests
+ Set if guests have needs
+ Privacy
+ Colonists care about privacy when bathing or using toilets.
+ Cooling efficiency
+ Set if high temperature should affect cooling efficiency like standard AC
+ Rain irrigation
+ Rain will give the same boost as sprinklers. Might reduce game performance.
+ Toggle needs
+ Disable needs entirely. Overrides all other settings.
+ Allow modded drinks
+ Pawns will also be allowed to drink and pack any modded drinks. VGP and RimCuisine drinks can be used default, others will require modding an extension to the def.
+ Pack water bottles
+ Pawns will automatically pack water bottles into their inventory when they can.\n\nMay not work with some mods, for CE you will need to manually manage your loadout to include water bottles else they will keep dropping them.
+ Needs filter
+ Main features
+ Experimental features
+ Pet bladders
+ Enable bladder need on pets. Also adds litter boxes for pets.
+ Wild animal bladders
+ Enable bladder need on all wild animals. This could get messy.
+ Thirst need
+ Enable thirst need on all colonists with bladder need. Adds drinking fountains and water bottles. Requires a restart.
+ Fertilizer visible
+ Set if the fertilizer grid should be visible
+ Non-human colonists
+ Enables needs on non-human colonists. You can disable specific beings with the needs filter.
+ Extra features
+ Lite Mode (Simplifies the mod)
+ Switch the mod into a simplified mode which removes pipes, water and sewage management, and any buildings and jobs not directly related to hygiene and thirst.\n\nThis will prevent many defs from loading and requires a restart.\n\nIf you are trying to load a save with existing hygiene buildings you may need to save and reload it after activating
+ You must restart the game to enable Lite mode\n\nIf you are trying to load a save with existing hygiene buildings you may need to save and reload it after activating to clear errors
+ Passive coolers use water
+ Passive coolers have their wood fueling removed and are instead filled with water, similar to water tubs.
+ SoS2 integration
+ Adds water and sewage processing to life support, and adds pipes to ship structures.
+ Stockpile water x{0}
+ Bad Hygiene Wiki
+ Go to the Bad Hygiene Wiki
+ Survival mode
+ Limits the default shallow water grid generation to very small patches. Terrain features no longer generate water, and the radius around surface water is reduced.\n\nA new game is not required; works with existing saves.
+ Hydroponics
+ Powered growing buildings like hydroponics have water tanks that require filling from pipes. Plants die from lack of water instead of power, but water tanks only fill when the building is powered.
+ A restart is required to add and remove thirst-related items.\n\nRestart now?
+
+
diff --git a/1.5/Languages/French/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/French/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..3d84557
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,11 @@
+
+
+
+ Hygiène
+ Objets utiles pour l'hygiène des colons.
+
+ Hygiène/etc.
+ Autres objets pour l'hygiène des colons.
+
+
+
diff --git a/1.5/Languages/French/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/French/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..684f501
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,115 @@
+
+
+
+ Visibilité des tuyaux
+ cacher
+ Cacher sous les planchers
+ Toujours visible
+
+ Capacité de la pompe à eau
+ Cheat
+ 200%
+ 100%
+ 50%
+ 25%
+
+ Besoin d'hygiène
+ Cheat
+ 50%
+ 100%
+ 150%
+ 200%
+
+ contamination
+ Cheat
+ 10%
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 175%
+ 200%
+
+ Consommation d'eau chaude
+ Cheat
+ 50%
+ 100%
+ 150%
+ 200%
+
+ Limite d'eaux usées par cellule
+ Cheat
+ juste
+ normal
+ stimulant
+ extrême
+
+ Taux de traitement des eaux usées
+ Cheat
+ 200%
+ 100%
+ 75%
+ 25%
+
+ la force d'irrigation
+ Cheat
+ 240%
+ 220%
+ 200%
+ 180%
+ 160%
+ 140%
+ 120%
+ 110%
+
+ Résistance des engrais
+ Cheat
+ 160%
+ 140%
+ 120%
+ 110%
+ 108%
+ 106%
+ 104%
+ 102%
+
+ Fertilité du sol
+ Cheat
+ 180%
+ 140%
+ 120%
+ 110%
+ 100%
+ 90%
+ 80%
+ 60%
+ 40%
+ 20%
+
+ Taille de la chasse d'eau
+ Quelle quantité d'eaux usées est produite à chaque chasse d'eau ?
+
+ Vitesse de remplissage de la vessie
+ À quelle vitesse la vessie a-t-elle besoin d'être vidée ?
+
+ Taux d'assoiffement
+ A quelle vitesse le colon à t'il soif ?
+
+ Comment les tuyaux devraient-ils être rendus ?
+ Multipliez les chances qu'un colon soit contaminé par de l'eau non traitée
+ A quelle vitesse l'hygiène d'un colon se dégrade-t-elle ?
+ Multiplier l'effet de l'irrigation sur la fertilité
+ Multiplier l'effet de l'engrais sur la fertilité
+ Définir la valeur de base de la fertilité du terrain
+
+ Multipliez la capacité des pompes à eau
+ Multipliez la quantité d'eau chaude utilisée pendant le lavage
+
+ Définir la limite de quantité d'eaux usées pouvant être insérées dans une cellule à la surface
+ Taux de nettoyage des eaux usées
+ À quelle vitesse les eaux usées à la surface se nettoient-elles au fil du temps
+ Multipliez la rapidité avec laquelle les eaux usées sont traitées dans les fosses septiques et le traitement des eaux usées
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/French/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..7819b17
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,31 @@
+
+
+
+ laver
+ laver
+
+ Mauvaise hygiène
+ modérément
+ sérieusement
+ dégoûtant
+
+ Diarrhée
+ se remet
+
+ dysenterie
+ modérément (caché)
+ sérieusement
+ dégoûtant
+
+ choléra
+ modérément (caché)
+
+ déshydration
+ débutante
+ faible
+ modérément
+ sérieusement
+ Critique
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/IncidentDef/Incidents_Maps_Misc.xml b/1.5/Languages/French/DefInjected/IncidentDef/Incidents_Maps_Misc.xml
new file mode 100644
index 0000000..1faa081
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/IncidentDef/Incidents_Maps_Misc.xml
@@ -0,0 +1,8 @@
+
+
+
+ Contamination d'une tour
+ Château d'eau contaminé
+ Un château d'eau est pollué, cela pose un risque sérieux pour la santé de vos colons! Videz la tour pour éliminer la contamination ou construisez un système de traitement de l'eau.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/French/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..143c6c2
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,40 @@
+
+
+ Activer TargetA.
+
+ Remplir TargetA.
+ déféquer TargetA.
+ Enlevez les boues fécales.
+
+ utilisation TargetA.
+
+ Vide TargetA.
+ Vider TargetA.
+
+ Regarder le cycle d'essorage.
+
+ Boit de l'eau de pluie.
+ Boit de l'eau dans TargetA.
+ TargetA aider à boire.
+
+ N'a pas pu aller aux toilettes.
+
+ Laver avec TargetA.
+ Prends une douche avec TargetA.
+ Se baigner.
+
+ Se laver les mains.
+ Soulage la constipation TargetA.
+
+ lavages TargetA.
+ Nettoie le bassin
+
+ Rempli TargetA.
+ Rempli TargetA
+ Vider TargetA
+ Lave
+ Remplissage du bac de lavage
+ Basculer TargetA
+
+
+
diff --git a/1.5/Languages/French/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/French/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..631accf
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,4 @@
+
+
+Hydrothérapie
+
diff --git a/1.5/Languages/French/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/French/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..072804d
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Hygiene
+ l'affectation des raccourcis pour "Hygiene"
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/French/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..9403ab1
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,14 @@
+
+
+
+ Digestion
+ Afin d'éviter le risque de maladie, il est important de maintenir un bon niveau d'hygiène en enlevant ou en traitant les déchets et en empêchant les eaux usées de contaminer son approvisionnement en eau.\n\nMod cadre:
+
+ Hygiene
+ Une bonne hygiène personnelle est importante pour réduire le risque de maladie et pour garder les colons heureux et en bonne santé.\n\nMod cadre:
+
+ soif
+ La soif est nécessaire pour de nombreux processus physiologiques de la vie. Quand il atteint zéro, la créature meurt lentement de déshydratation.\n\nMod cadre:
+
+
+
diff --git a/1.5/Languages/French/DefInjected/RecipeDef/RecipeDef.xml b/1.5/Languages/French/DefInjected/RecipeDef/RecipeDef.xml
new file mode 100644
index 0000000..9e64045
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/RecipeDef/RecipeDef.xml
@@ -0,0 +1,8 @@
+
+
+
+ Fabriquer du carburant chimique à partir des boues fécales
+ Utiliser des boues fécales dans le but de fabriquer du carburant
+ Raffinage de carburant chimiquement à partir de boues fécales
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/French/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..1543677
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,73 @@
+
+
+
+ Plomberie
+ Utilisez des tuyaux et autres accessoires de plomberie ainsi que des réservoirs de stockage pour fournir et évacuer l'eau.
+
+ Pompes électriques
+ Pompes à eau motorisées pour le pompage continu d'eau sous pression.
+
+ Puit profond
+ Forer des puits plus profonds pour accéder à une plus grande étendue d'eau souterraine.
+
+ Pompage à grande échelle
+ Construire des pompes à eau et des réservoirs de stockage à une échelle industrielle !
+
+ Douches modernes
+ Construisez des douches électriques qui réduisent de moitié le temps passé à la douche et améliorent le confort.
+
+ Toilettes intelligentes
+ Construisez des toilettes intelligentes qui consomment deux fois moins d'eau que les toilettes standard et offrent plus de confort.
+
+ Bains Bouillonants
+ Construire des spas pouvant être utilisés pour l'hydrothérapie, la détente et le plaisir.
+
+ Fosses Septique
+ Construire des fosses septiques qui accumulent les eaux usées et en assurent un traitement modéré.
+
+ Compostage des boues d'épuration
+ Lorsqu'elles sont correctement traitées et traitées, les boues d'épuration deviennent des biosolides riches en nutriments et utiles en tant qu'engrais.
+
+ Filtration de l'eau
+ Construire des systèmes de filtration de l'eau qui traitent l'approvisionnement en eau en éliminant le risque de maladie.
+
+ Système de chauffage
+ Construire des chaudières à bois et à gaz, des réservoirs d'eau chaude et des radiateurs
+
+ Chauffage Electrique
+ Construire des chaudières électriques et des thermostats permettant de mieux contrôler le chauffage
+
+ Chauffage géothermique
+ Construisez des radiateurs géothermiques qui peuvent être construits sur des geysers pour générer de la chaleur pour le chauffage central et les réservoirs d'eau chaude.
+
+ Saunas
+ Construisez une pièce dédiée avec un sauna où les colons peuvent se détendre, une utilisation fréquente peut réduire le risque de crise cardiaque.
+
+ Système de climatisation
+ Construisez des systèmes de climatisation multi-split avec des unités extérieures raccordées aux unités intérieures et aux congélateurs.
+
+ Système d'irrigation
+ Construire des arroseurs pouvant irriguer le sol pour améliorer la fertilité
+
+ Système anti-incendie
+ Construisez des arroseurs qui étteignent les incendies.
+
+ Traitement des eaux usées
+ Construire de grands systèmes de traitement des eaux usées qui accumulent de grandes quantités d'eaux usées et permettent de les traiter vite.
+
+ Machine à Laver
+ Construisez des machines à laver les vêtements. Après lavage vous ne pourriez même pas dire si quelqu'un est mort en les portant!
+
+ Piscines
+ Apprenez à fabriquer des piscines.
+
+ Chauffe-eaux
+ Construisez des chaudières en bois avec lesquelles les pièces et l'eau peuvent être chauffées.
+
+ Accessoires de salle de bain modernes
+ Construisez des accessoires de salle de bain modernes comme des toilettes et des douches.
+
+ Hygiène Bionique
+ Fabriquer des produits bioniques qui aident à traiter les déchets corporels et à gérer l'hygiène personnelle.
+
+
diff --git a/1.5/Languages/French/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/French/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..4e2d5db
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+ Hygiène et salle de bain de Dub
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/French/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..637903d
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,9 @@
+
+
+
+ Salle de bain publique
+ Salle de bain privée
+ toilettes publiques
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/French/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..92302cc
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,9 @@
+
+
+Multiplicateur de taux de soif
+Vitesse à laquelle le besoin de soif augmente.
+Multiplicateur de taux d'hygiène
+Vitesse à laquelle le besoin d'hygiène augmente.
+Multiplicateur de taux de remplissage de vessie
+Vitesse à laquelle le taux de remplissage de vessie augmente.
+
diff --git a/1.5/Languages/French/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/French/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..893cfdc
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,8 @@
+
+
+
+ déchets
+ Hygiène
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/ThingDef/Buildings5_Floors.xml b/1.5/Languages/French/DefInjected/ThingDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..8b13789
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/Buildings5_Floors.xml
@@ -0,0 +1 @@
+
diff --git a/1.5/Languages/French/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/French/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..102ac22
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+ tuyau
+ Tuyauterie pour raccord de plomberie.
+
+ ligne de ventilation
+ Tuyaux de ventilation pour climatiseurs.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/French/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..a1dcb56
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,64 @@
+
+
+
+
+
+ latrines
+ Une latrine à fosse collectant les excréments dans un trou dans le sol. Doit être vidé manuellement.
+
+ Puits primitif
+ Accède à la nappe phréatique pour remplir des bacs à eau.
+
+ seau de ménage
+ Seau d'eau sale pour le lavage.
+
+ Fosse crématoire
+ Fosse pour brûler les déchets humains, les corps ou autres détritus. Peut avoir des effets nocifs.
+
+ porte des toilettes
+ Une porte mince qui ne fait que bloquer la ligne de mire et ne crée aucun nouvel espace ou empêche la perte de chaleur comme les porte des toilettes.
+
+ Toilette pour Petit Animaux
+ Une boîte de collecte de fèces et d'urine pour petits animaux.
+
+
+
+ Fontaine
+ Fontaine à eau, pour boire ou se laver.
+
+ lavabo
+ Lavabo pour se laver les mains.\n\nInstructions vendues séparément.
+
+ évier
+ Les plats ne se lavent pas d'eux-mêmes.\nAugmente la propreté dans la pièce.
+
+
+
+
+ Toilette
+ Dispositif sanitaire pour recevoir des excrément corporels.
+
+ Toilette Intelligente
+ Deux fois plus économes en eau qu'une toilette standard, il offre une expérience multifonctionnelle optimale grâce au nettoyage et à la désodorisation automatiques.
+
+
+
+ bain
+ Lent à utiliser, nécessite de grandes quantités d'eau, mais très confortable. Peut être chauffé en plaçant un feu de camp adjacent ou via des réservoirs d'eau chaude. N'a pas besoin d'un raccordement d'égout.
+
+ tapis de bain
+ Un petit tapis utilisé à côté d'une baignoire pour absorber l'eau.
+
+
+
+ Douche
+ Douche simple, nécessite de l'eau des Château d'eau, peut être chauffée dans des réservoirs d'eau chaude, ne nécessite pas de drainage.
+
+ Douche simple
+ Douche simple, nécessitant de l'eau des châteaux d'eau, pouvant être chauffé via des réservoirs d'eau chaude. Ne nécessite pas de sortie des eaux usées.
+
+ Douche Intelligente
+ Doté d'une grande pomme de douche à 4 jets de 110 mm pour détendre les muscles endoloris, chauffer l'eau au besoin et doubler le taux de lavage!
+
+
+
diff --git a/1.5/Languages/French/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/French/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..2a35c16
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,13 @@
+
+
+
+ Piscine
+ Piscine d'hydrothérapie, de détente ou de plaisir. Doit d'abord être remplie d'eau des réservoirs d'eau.
+
+ Bain à remous (standard)
+ Spas pour l'hydrothérapie, la relaxation ou le plaisir. Rempli d'eau à partir de châteaux d'eau lors de la première utilisation, auto-chauffé et sans raccordement aux eaux usées.
+
+ lave-linge
+ Une machine à laver tourne, tourne et tourne.\n\nLes colonistes peuvent regarder et méditer, c'est tout!
+
+
diff --git a/1.5/Languages/French/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/French/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..ff8e9f4
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,45 @@
+
+
+
+
+
+ Citerne
+ Stocke l'eau pour une utilisation dans les systèmes alimentés en eau. Si l’eau contenue devient contaminée, le réservoir doit être drainé.
+
+ château d'eau
+ Stocke l'eau pour une utilisation dans les systèmes alimentés en eau. Si l'eau contaminée est contaminée, le réservoir doit être vidé.
+
+ Grand réservoir d'eau
+ Stocke l'eau pour une utilisation dans les systèmes alimentés en eau. Si l'eau contaminée est contaminée, le réservoir doit être vidé.
+
+ Sortie des eaux usée
+ Peut être placé n'importe où Les eaux usées sont distribuées sur le sol ou dans l'eau. La pollution disparaît avec le temps, les arbres et la pluie accélèrent le processus.
+
+ traitement des eaux usées
+ Nettoie lentement les eaux usées au fil du temps. Les eaux usées sont d'abord envoyées aux stations d'épuration où 90% sont éliminées, les 10% restants sont envoyés aux sorties d'eaux usées, lorsque la pleine capacité est atteinte, les eaux usées en excès sont envoyées directement aux sorties d'eaux usées sans traitement.
+
+ fosse septique
+ Nettoie lentement les eaux usées au fil du temps. Les eaux usées sont d'abord dirigées vers la fosse septique, lorsqu'elles atteignent leur capacité maximale, les eaux usées en excès sont envoyées aux sorties des eaux usées..
+
+ Usine de traitement de l'eau
+ Nettoie 99,99% des germes! Filtre l'eau existante dans les tours de stockage et toute eau consommée par les robinets, éliminant ainsi le risque de maladie.
+
+ Pompe électrique
+ Pompe l'eau du puits dans les châteaux d'eau.\n\nCapacité de la pompe: 1500 L/Jour
+
+ Pompe à vent
+ Une pompe éolienne.\n\nPompe l'eau du puits dans les châteaux d'eau.\n\nCapacité de la pompe: 3000 L/Jour
+
+ Pompe à vent
+ Pompe l'eau des puits vers les châteaux d'eau. Capacité de pompage: 3000 L / jour
+
+ station de pompage
+ Pompe l'eau du puits dans les châteaux d'eau.\n\nCapacité de la pompe: 10000 L/Jour
+
+ puits
+ Un puits est une structure d'extraction d'eau d'une nape phréatique. La présence d'eaux usées ou d'autres contaminants réduit la qualité de l'eau et peut entraîner une contamination.
+
+ puits profond
+ Un puits est une structure d'extraction d'eau d'une nape phréatique. La présence d'eaux usées ou d'autres contaminants réduit la qualité de l'eau et peut entraîner une contamination.\n\nAtteinds une plus profonde et grande réserve.
+
+
diff --git a/1.5/Languages/French/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/French/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..08d3fc4
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,61 @@
+
+
+
+
+
+ thermostat
+ Plus d'une peuvent être installée pour contrôler les chaudières électriques et à mazout, et sont connectées via des installations standard.
+
+ Chaudières au feu de bois
+ Produit 2000 unités pour radiateurs et stockage d'eau chaude.\nNécessite des bûches comme combustible.
+
+ chaudières électriques
+ Génère un nombre variable d'appareils de chauffage pour les radiateurs et les bouteilles d'eau chaude sanitaire.\nPeut être contrôlé par un thermostat.
+
+ chaudière au fioul
+ Produit 2000 unités pour radiateurs et stockage d'eau chaude.\nNécessite du carburant.\nPeut être contrôlé par un thermostat.
+
+ chauffage solaire
+ Utilise la lumière du soleil pour chauffer les réservoirs d'eau chaude et les radiateurs, 0-2000 unités en fonction de l'intensité lumineuse et de la température ambiante.
+
+ Réservoir d'eau chaude
+ Stocke l'eau chaude pour les douches et les bains et peut être connectée à n'importe quelle chaudière.
+
+ radiateur
+ Salles chauffées avec eau chaude.\n\nNécessite 100 unités de chauffage.
+
+ Radiateur
+ Salles chauffées avec eau chaude.\n\nNécessite 100 unités de chauffage.
+
+ Grand radiateur
+ 3 fois la puissance d'un radiateur standard, utile dans les grandes pièces.\n\nNécessite 300 unités de chauffage.
+
+ Porte serviette
+ Porte-serviettes de salle de bain.
+
+
+
+ Ventilateur de plafond 2x2
+ Refroidit une pièce en faisant circuler l'air, une lampe est intégrée
+
+ Ventilateur de plafond 1x1
+ Refroidit une pièce en faisant circuler l'air, une lampe est intégrée.
+
+ Convecteurs extérieurs
+ Climatiseur multi-split. Placez-le à l'extérieur et raccordez-le à des unités intérieures ou à des unités de congélation. Sélectionnez le mode d'alimentation pour une capacité allant de 100 à 1000 unités de refroidissement
+
+ Climatisation
+ Le climatiseur intérieur doit être connecté à un convecteur extérieur.\n\nNécessite 100 unités de refroidissement.
+
+ Congélateur
+ Congélateur pour la congelation, nécessite une connexion aux convecteurs extérieurs.\n\nNécessite 300 unités de refroidissement.
+
+ Power Mode
+ Power Mode
+ Power Mode
+ Power Mode
+
+ Déclencher l'arroseur d'incendie
+
+
+
diff --git a/1.5/Languages/French/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/French/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..d26c5cc
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+ arroseur (irrigation)
+ Arrosez l'environnement chaque matin pour améliorer la fertilité du sol pendant la journée. Nécessite de grandes quantités d'eau des tours d'eau lors de la pulvérisation.
+
+ Arroseur (Incendie)
+ Déclenché par le feu ou à la main, éteinds les flammes avec un jet d'eau
+
+ robinet sanitaire
+ Ouvre ou ferme les connexions entre les tubes.
+
+ Biosolides composteurs
+ Un composteur pour transformer les boues d'épuration en engrais pour augmenter la fertilité du terrain fertilisable.
+
+ Engrais biosolides
+ Zone d'édition avec engrais biosolide. Augmente la fertilité du sol. Tient environ 1 an.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/French/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..9de88f1
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,12 @@
+
+
+
+ urine
+ Urine sur le sol.
+
+ chaise
+ Chaise sur le sol.
+ eaux d'égout
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/French/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..2f20686
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,13 @@
+
+
+
+ bassin
+ Un récipient utilisé par un patient alité pour l'urine et les excréments.
+
+ Tonneau avec des matières fécales
+ Un tonneau rempli de matières fécales pouvant être conservé, brûlé ou composté dans des biosolides.
+
+ Engrais biosolides
+ Engrais biosolide pour le sol.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/French/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..18fef3e
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/French/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..2d8f3f1
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,67 @@
+
+
+
+ A bu de l'eau fraîche et potable
+ Rafraîchi.
+
+ A bu de l'eau non potable
+ Dégoûtant, j'ai bu de l'eau contaminée.
+
+ Urine bue
+ Dégoûtant, ce n'était pas une bonne idée.
+
+ embarrassé
+ Quelqu'un m'a vu me baigner et ça m'a mis mal à l'aise.
+
+ embarrassé
+ Quelqu'un est venu vers moi pendant que j'utilisais les toilettes!
+
+ Tombé
+ Je ne pouvais plus le tenir et me suis assis.
+
+ douche chaude
+ J'ai eu une bonne douche chaude.
+
+ Bain chaud
+ J'ai eu un bon bain chaud.
+
+ Bain froid
+ J'ai eu un bon bain froid rafraîchissant.
+
+ Douche froide
+ J'ai eu une bonne douche froide rafraîchissante.
+
+ l'eau froide
+ Il n'y avait pas d'eau chaude!
+
+ J'étais soulagé
+ Aaaah, beaucoup mieux.
+
+ Douleur de l'intestin terminé
+ Je devais me soulager en plein air.
+
+ Salle de bain terrible
+ Ma salle de bain est un endroit terrible.
+
+ Salle de bain correcte
+ Ma salle de bain est ok.
+
+ Salle de bain impressionnante
+ Ma salle de bain est impressionnante. J'aime ça!
+
+ Grande salle de bain
+ Ma salle de bain est fantastique. Je l'aime!
+
+ Salle de bain très impressionnant
+ Ma salle de bain est très impressionnante. C'est le meilleur endroit au monde!
+
+ Salle de bain très impressionnant
+ Ma salle de bain est très impressionnante. C'est le meilleur endroit au monde!
+
+ Une salle de bain incroyablement impressionnante
+ Ma salle de bain est très impressionnante. C'est le meilleur endroit au monde!
+
+ Salle de bain décente
+ Ma salle de bain est vraiment interessante. J'aime ça.
+
+
diff --git a/1.5/Languages/French/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/French/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..e6eac51
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,19 @@
+
+
+
+ crasseux
+ On dirait que j'ai nagé dans des eaux usées.
+ sale
+ Je me sens un peu sale.
+ propre
+ Je me sens frais et propre.
+ reluisant
+ Je ne pourrai pas être plus propre!
+
+ va éclater
+ Je dois aller aux toilettes, sinon je vais éclater !
+ veux aller à la salle de bain
+ Je dois aller à la salle de bain.
+
+
+
diff --git a/1.5/Languages/French/DefInjected/ThoughtDef/Traits_Spectrum.xml.xml b/1.5/Languages/French/DefInjected/ThoughtDef/Traits_Spectrum.xml.xml
new file mode 100644
index 0000000..454e69e
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/ThoughtDef/Traits_Spectrum.xml.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ germaphobe
+
+ [PAWN_nameDef] est obsédé par les germes et se lavera beaucoup plus souvent que la normale.
+
+ propre
+
+ [PAWN_nameDef] est très hygiénique et se lavera plus fréquemment.
+
+ non hygiénique
+
+ [PAWN_nameDef] est peu hygiénique et se lavera moins fréquemment.
+
+ sale
+
+ [PAWN_nameDef] a des normes de propreté très faibles et ne se lavera que lorsqu'il le faudra absolument.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/French/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/French/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..41eaea7
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ germaphobe
+
+ [PAWN_nameDef] est obsédé par les germes et se lavera beaucoup plus souvent que la normale.
+
+ propre
+
+ [PAWN_nameDef] est très hygiénique et se lavera plus fréquemment.
+
+ non hygiénique
+
+ [PAWN_nameDef] est peu hygiénique et se lavera moins fréquemment.
+
+ sale
+
+ [PAWN_nameDef] a des normes de propreté très faibles et ne se lavera que lorsqu'il le faudra absolument.
+
+
diff --git a/1.5/Languages/French/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/French/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..39edd21
--- /dev/null
+++ b/1.5/Languages/French/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,64 @@
+
+
+
+ Allumer le foyer
+ feu
+ Allumer
+
+ Pelle à boues d'épuration en barriques
+ Enlevez les boues d'épuration
+ enlever les boues d'épuration
+
+ Vider le compost du composteur
+ Vide du compost
+ Vidage le compost
+
+ Remplir les composteurs
+ remplit
+ remplissage
+
+ Videz les latrines
+ vide
+ vidage
+
+ Supprimer la constipation
+ supprimer
+ supprimer
+
+ Nettoyer les patients
+ propre
+ nettoyé
+
+ Bassin de lit propre
+ propre
+ nettoyé
+
+ Bassin de lit propre
+ propre
+ nettoyé
+
+ Vider la machine
+ Vidage de la machine
+ Vide la machine
+
+ Remplir la machine
+ Remplissage de la machine
+ Remplit la machine
+
+ vider la fosse septique
+ Vidage
+ Vide
+
+ Administrer des fluides
+ Administration des fluides
+ Administre des fluides
+
+ Remplir le bain
+ Remplissage du bain
+ Remplit le bain
+
+ Basculer
+ Bascule
+ Basculer
+
+
diff --git a/1.5/Languages/French/Keyed/DubsHygiene.xml b/1.5/Languages/French/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..6d6ef9c
--- /dev/null
+++ b/1.5/Languages/French/Keyed/DubsHygiene.xml
@@ -0,0 +1,208 @@
+
+
+
+
+ Enlever les tuyaux
+ Désigner des sections d'un type de tuyau pour la déconstruction
+ Supprimer les eaux usées
+ Enlevez les eaux usées du sol et placez-les dans des barils
+ Supprimer la plomberie
+ Supprimer les tuyaux de ventilation
+ Accesoire de Peinture
+ Peindre les appareils sanitaires et les radiateurs ou enlever la peinture.
+ Peindre
+ Enlever
+
+
+ Château d'eau manquant
+ Un château d'eau ou un réservoir d'eau est nécessaire pour stocker l'eau pompée des puits.
+ Puit manquant
+ Les pompes nécessitent un puits pour accéder à l'eau souterraine.
+ Pompe à eau manquante
+ Une pompe à eau est nécessaire pour pomper l'eau d'un puits vers un château d'eau.
+ Contamination de l'eau
+ Après 2 jours de retombées toxiques, l'accumulation contaminera tous les réservoirs de stockage d'eau connectés aux puits d'eau.\n\nPréparez-vous en créant une réserve d'eau, puis en utilisant une vanne pour déconnecter les puits afin de protéger l'eau de la contamination avant qu'il ne soit trop tard.\n\nVous pouvez également utiliser un puits profond pour accéder à de l'eau non contaminée, ou installer un système de traitement de l'eau qui éliminera toute contamination des réserves d'eau.
+
+ Low cooling capacity. You can increase the power of outdoor units.
+ Accès restreint.
+ Seulement {0}.
+ Prisoniers seulement
+ Sortie d'égouts bloquée
+ Les eaux usées se sont accumulées autour du trou de vidange et bloquent la sortie.\n\nConstruisez plus de sorties ou ajoutez une fosse septique pour créer un tampon et réduire la pression sur les sorties.
+ Température de l'eau basse
+ La température de l'eau dans ce réservoir est trop basse, les colons qui s'attendent à utiliser de l'eau chaude peuvent être agacés.\n\nAllumez les chaudières, augmentez la capacité de chauffage ou ajoutez un autre réservoir d'eau chaude.
+ Doit être placé sur une cellule avec de l'eau souterraine.
+ Le luminaire doit être à l'intérieur d'une pièce pour le restreindre
+ L'attribution nécessite un besoin de vessie, {0} n'en a pas
+
+ Pas de matériel de compostage
+ Pas de capacité d'eau
+ Pas de capacité d'égout
+ Nécessite la plomberie
+ Accès restreint
+
+ Trop chaud: x{0}
+ Il pleut: x{0}
+ effort: x{0}
+ Salle: x{0}
+ Total: x{0}
+ Mains sales -risque de maladie
+ Contaminer - risque de maladie
+
+ Drain bloqué
+ Un drain s'est bloqué, un nettoyeur doit le nettoyer.
+
+ Eau Contaminer
+ Une source d'eau est tellement polluée qu'il risque de contaminer vos château d'eau\n\nSources de contamination:\n{0} \n\nEliminer les sources de contamination ou ajouter un système de traitement de l'eau qui nettoiera également les château d'eau contaminer.
+ Château d'eau contaminer
+ Un château d'eau a été pollué, ce qui pose un risque grave pour la santé de vos colons! Déplacez vos château d'eau, videz-les ou construisez un système de traitement de l'eau
+
+ {0} a contracter {1} à cause de l'eau sale et de sa mauvaise hygiène
+ {0} a contracter {1} à cause de l'eau salle ou du fait qu'il ne se soit pas laver les mains.
+
+
+ Changer les restrictions de genre
+ Médicale
+ Limiter cet appareil uniquement aux patients
+ Patients seulement
+ Attaque Hélicopter
+ Unisex
+ lier les lits
+ Connectez les appareils à un lit voisin afin qu'ils héritent de la propriété
+ Enlever les liens entre les lits
+ Enlever le lien avec se lit
+
+
+
+ Température de l'eau: {0}
+ Chauffage connecté: {0} U ({1})
+ Chauffage connecté: {0} U ({1})
+ Utilisation du chauffage: {0} U
+ Utilisation de refroidissement: {0} U
+ Unités de chauffage / puissance: {0} U / {1} W
+ Unités de refroidissement / puissance: {0} U / {1} W
+ Efficacité: {0}
+ Efficacité: {0} Surchauffe
+ température minimale: {0}
+ Réduire la puissance
+ Réduire la capacité de chauffage
+ Augmenter la puissance
+ Augmenter la capacité de chauffage
+ Capacité d'eau chaude: {0}
+ remplacer thermostat
+ Forcer la chaudière à fonctionner en continu
+ Les ventilations doivent être dégagés!
+ Efficacité: {0} Trop froid
+ Efficacité: {0}
+ Température du radiateur: {0}
+
+ Contrôle du thermostat
+ Laisser ce réservoir d'eau chaude contrôler les chaudières connectées
+
+
+ Laver les mains
+ Laver
+ Utiliser
+ Usage = {0}
+ Doit être de la plomberie
+ Drain bloqué
+ Plombez ou videz les latrines
+ Fonctionnement...
+ Décharger maintenant
+ Charge: {0}/{1}
+ Pas de linge sale
+ Pas d'espace
+
+
+
+
+ Boire
+ Basculer la vanne
+ Activer ou désactiver la vanne
+ Vanne fermée
+
+ Capacité de la pompe: {0} L/jour
+ Capacité au sol: {0} L/jour
+ Pompe canalisée/capacité au sol: {0}/{1} L/jour ({2})
+
+ L'eau stockée: {0} L
+ Eau canalisée stockée: {0} L
+
+ Niveau de pollution: {0}
+
+ Diminuer le rayon
+ Augmenter le rayon
+ Qualité: Non traité - Risque de petite maladie
+ Qualité: Contaminé! - risque élevé de maladie!
+ Qualité: Traité - Sur
+
+ Réservoir de vidange
+ Drainer le réservoir et éliminer la contamination
+
+ Valeur de l'eau : {0} pour {1}L
+ Eau
+
+
+ Drain
+ Définir le niveau auquel les boues de vidange doivent être vidées dans des fûts pouvant être déplacés et renversés, brûlés ou transformés en biosolides
+ Traitement en cours: {0} L/J Posseder: {1} L ({2})
+ Ne pas vider
+ Réservoir de vidange à {0}
+
+ Fosse: {0}
+ La fosse est pleine, videz la maintenant!
+ Vider ici
+ Renverser ce baril d'eaux usées sur le sol
+
+
+ Contient du compost {0}/{1}
+ Contient des boues de défécations {0}/{1}
+ Composté
+ Progrès du compostage {0} ({1})
+ Composteur hors température idéale
+ Température de compostage idéale
+
+
+
+
+ Quitter vers le menu principal pour changer
+ Liens avec Rimefeller
+ Permettre l'utilisation d'eau sur les craquelins et les raffineurs de Rimefeller
+ Liens avec Rimatomics
+ Activer l'utilisation de l'eau sur les tours de refroidissement dans Rimatomics
+ Override the need settings and mod patches to manually disable needs for specific pawn types, or when a hediff is active.\nIf you disable by hediff then the hediff must call "AddOrRemoveNeedsAsAppropriate" when applied
+ Remplacer les paramètres de besoin
+ Désactiver les besoins en vessie
+ Désactiver le besoin d'hygiène
+ Besoins Actifs
+ Cochez pour activer
+ Les prisonniers
+ Si les prisonniers auront les besoins
+ Invités d'hospitalité
+ Si les invités du mod "Hospitality" ont les besoins
+ Intimité
+ Les colons se soucient de la vie privée lors qu'ils vont aux toilettex ou à la douche
+ Efficacité de refroidissement
+ Si il y a une température élevée, cela affecte l'efficacité du refroidissement comme le courant alternatif standard
+
+ Désactiver les besoins
+ Désactiver complètement les besoins, remplace tous les autres paramètres
+
+ Caractéristiques expérimentales
+ Vessies pour animaux de compagnie
+ Si les animaux ont besoin de la vessie
+ Vessies d'animaux sauvages
+ Si tous les animaux sauvages ont besoin de la vessie
+ Besoin de soif
+ Permettre d'avoir soif à la base pour tour les colons ayant besoin d'une vessie
+ Engrais Visible
+ Si la grille d'engrais doit être visible
+ Colons Non Humains
+ Permettre aux besoins d'exécuter des colons non humains, (probablement ne fonctionnera pas), Remplacé par les paramètres de besoin
+ Nue pendant la douche
+ Enlevez les vêtements pendant le lavage (à désactiver si nécessaire pour résoudre les conflits de mod)
+
+ Obtenez le magasin de peinture de Dub
+
+
+
diff --git a/1.5/Languages/German/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/German/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..13cef37
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ Hygiene
+
+ Dinge für die Hygiene der Kolonisten.
+
+
diff --git a/1.5/Languages/German/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml b/1.5/Languages/German/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..7ac185b
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
@@ -0,0 +1,7 @@
+
+
+
+
+ Mosaikfliese
+
+
diff --git a/1.5/Languages/German/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/German/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..aff8348
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,399 @@
+
+
+
+
+ Sichtbarkeit von Rohrleitungen
+
+ Wie Rohrleitungen dargestellt werden sollen.
+
+ Versteckt
+
+ Versteckt unter Böden
+
+ Immer sichtbar
+
+
+ Hygiene-Zunahmerate
+
+ Hygiene-Zunahmerate: Wie schnell der Hygienebalken sinkt.
+
+ Cheat
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+
+ Stuhl-/Harndrang-Zunahmerate
+
+ Stuhl-/Harndrang-Zunahmerate: Wie schnell der Stuhl-/Harndrang-Balken sinkt.
+
+ Cheat
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+
+ Spülmenge
+
+ Spülmenge: Wie viel Abwasser bei jeder Spülung anfällt.
+
+ Cheat
+
+ 25%
+
+ 50%
+
+ 100%
+
+ 150%
+
+ 200%
+
+ 250%
+
+
+ Durst-Zunahmerate
+
+ Durst-Zunahmerate: Wie schnell der Durstbalken sinkt.
+
+ Cheat
+
+ 10%
+
+ 20%
+
+ 30%
+
+ 40%
+
+ 50%
+
+ 60%
+
+ 70%
+
+ 80%
+
+ 90%
+
+ 100%
+
+ 110%
+
+ 120%
+
+ 130%
+
+ 140%
+
+ 150%
+
+ 200%
+
+ 300%
+
+ 500%
+
+ 1000%
+
+
+ Kontaminationschance
+
+ Kontaminationschance: Die Chance, dass ein Kolonist durch ungeklärtes Wasser kontaminiert wird.
+
+ Cheat
+
+ 10%
+
+ 25%
+
+ 50%
+
+ 100%
+
+ 125%
+
+ 150%
+
+ 175%
+
+ 200%
+
+
+ Wasserpumpleistung
+
+ Wasserpumpleistung: Die Leistung von Wasserpumpen.
+
+ Cheat
+
+ 200%
+
+ 150%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+
+ Warmwasserverbrauch
+
+ Warmwasserverbrauch: Wie viel Warmwasser beim Waschen verwendet wird.
+
+ Cheat
+
+ 50%
+
+ 75%
+
+ 100%
+
+ 125%
+
+ 150%
+
+ 200%
+
+
+ Abwasserlimit pro Zelle
+
+ Abwasserlimit pro Zelle: Wie viel Abwasser in eine Zelle passt.
+
+ Cheat
+
+ 400%
+
+ 200%
+
+ 100%
+
+ 80%
+
+ 60%
+
+ 20%
+
+
+ Abwasserreinigungsrate
+
+ Abwasserreinigungsrate: Wie schnell sich Abwasser an der Oberfläche im Laufe der Zeit reinigt.
+
+ Cheat
+
+ 300%
+
+ 200%
+
+ 150%
+
+ 125%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 10%
+
+ 0%
+
+
+ Abwasserklärungsrate
+
+ Abwasserklärungsrate: Wie schnell das Abwasser in Klärgruben und Kläranlagen geklärt wird.
+
+ Cheat
+
+ 200%
+
+ 150%
+
+ 125%
+
+ 100%
+
+ 75%
+
+ 50%
+
+ 25%
+
+ 10%
+
+
+ Bewässerungsstärke
+
+ Bewässerungsstärke: Wie stark sich die Bewässerung auf die Fruchtbarkeit auswirkt.
+
+ Cheat
+
+ 240%
+
+ 220%
+
+ 200%
+
+ 180%
+
+ 160%
+
+ 140%
+
+ 120%
+
+ 110%
+
+
+ Düngerstärke
+
+ Düngerstärke: Wie stark sich Dünger auf die Fruchtbarkeit auswirkt.
+
+ Cheat
+
+ 160%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 108%
+
+ 106%
+
+ 104%
+
+ 102%
+
+
+ Basis-Bodenfruchtbarkeit
+
+ Basis-Bodenfruchtbarkeit: Basiswert der Fruchtbarkeit des Geländes.
+
+ Cheat
+
+ 180%
+
+ 140%
+
+ 120%
+
+ 110%
+
+ 100%
+
+ 90%
+
+ 80%
+
+ 60%
+
+ 40%
+
+ 20%
+
+
+ Düngerwirkungsdauer
+
+ Düngerwirkungsdauer: Wie lange der Boden nach dem Düngen gedüngt bleibt.
+
+ Cheat
+
+ 240 Tage (3 Jahre)
+
+ 180 Tage
+
+ 120 Tage (2 Jahre)
+
+ 80 Tage
+
+ 60 Tage (1 Jahr)
+
+ 40 Tage
+
+ 30 Tage
+
+ 20 Tage
+
+ 10 Tage
+
+ 1 Tag
+
+
diff --git a/1.5/Languages/German/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml b/1.5/Languages/German/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..5736938
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ duscht sich mit TargetA.
+
+ nimmt ein Bad.
+
+
diff --git a/1.5/Languages/German/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml b/1.5/Languages/German/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
new file mode 100644
index 0000000..50b5d05
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
@@ -0,0 +1,11 @@
+
+
+
+
+ schwimmt.
+
+ entspannt sich.
+
+ benutzt Sauna.
+
+
diff --git a/1.5/Languages/German/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/German/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..1b4f986
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,72 @@
+
+
+
+
+ Waschen
+
+ Waschen
+
+ Waschen
+
+
+ schlechte Hygiene
+
+ Schlechte Hygiene erhöht das Krankheitsrisiko und beeinträchtigt soziale Interaktionen.
+
+ mittel
+
+ schwer
+
+ extrem
+
+
+ Durchfall
+
+ Durchfall ist ein weicher oder flüssiger Stuhlgang.
+
+ genesend
+
+ stark
+
+ beginnend
+
+
+ Dysenterie
+
+ Dysenterie ist eine Art von Gastroenteritis, die sich in blutigem Durchfall äußert.
+
+ leicht
+
+ stark
+
+ extrem
+
+
+ Cholera
+
+ Cholera ist eine Infektionskrankheit, die schweren, flüssigen Durchfall verursacht, der unbehandelt zu Dehydrierung und sogar zum Tod führen kann.
+
+ leicht
+
+ stark
+
+ extrem
+
+ extrem
+
+
+ Dehydratation
+
+ Dehydratation ist ein Zustand, der auftreten kann, wenn der Verlust von Körperflüssigkeiten, hauptsächlich Wasser, die aufgenommene Menge übersteigt.
+
+ trivial
+
+ leicht
+
+ mittel
+
+ schwer
+
+ extrem
+
+
diff --git a/1.5/Languages/German/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/German/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..3418457
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,18 @@
+
+
+
+
+ bionische Blase
+
+ Eine implantierte bionische Blase.
+
+ eine bionische Blase
+
+
+ Hygieneverstärker
+
+ Ein implantierter Hygieneverstärker.
+
+ ein Hygieneverstärker
+
+
diff --git a/1.5/Languages/German/DefInjected/IncidentDef/Incidents_Map_Misc.xml b/1.5/Languages/German/DefInjected/IncidentDef/Incidents_Map_Misc.xml
new file mode 100644
index 0000000..09b35ae
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/IncidentDef/Incidents_Map_Misc.xml
@@ -0,0 +1,6 @@
+
+
+Kontaminierung Wasserspeicher
+Kontaminierter Wasserspeicher
+Ein Wasserspeicher wurde kontaminiert, die Gesundheit deiner Kolonisten ist einem ernsten Risiko ausgesetzt. Leere den Wasserspeicher um die Kontaminierung zu beseitigen oder baue eine Kläranlage
+
\ No newline at end of file
diff --git a/1.5/Languages/German/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/German/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..a437109
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,59 @@
+
+
+
+
+ aktiviert TargetA.
+
+ leert TargetA.
+
+ leert TargetA.
+
+ belädt TargetA.
+
+ entlädt TargetA.
+
+ füllt TargetA.
+
+ entnimmt Klärdünger aus TargetA.
+
+ entfernt Abwasser.
+
+ beobachtet den Schleudergang.
+
+ schüttet TargetA aus.
+
+ leert TargetA.
+
+ düngt Boden.
+
+ trinkt Wasser.
+
+ trinkt Wasser aus TargetA.
+
+ befüllt Flasche mit Wasser an TargetA.
+
+ befüllt mehrere Flaschen mit Wasser an TargetA.
+
+ bringt Wasser zu TargetB.
+
+ benutzt TargetA.
+
+ verrichtet Notdurft im Freien.
+
+ wäscht sich an TargetA.
+
+ wäscht sich.
+
+ wäscht Hände.
+
+ wäscht TargetA.
+
+ füllt Waschzuber.
+
+ füllt Wasser auf.
+
+ reinigt Bettpfanne.
+
+ beseitigt die Verstopfung in TargetA.
+
+
diff --git a/1.5/Languages/German/DefInjected/JobDef/JoyGivers.xml b/1.5/Languages/German/DefInjected/JobDef/JoyGivers.xml
new file mode 100644
index 0000000..0e40acb
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/JobDef/JoyGivers.xml
@@ -0,0 +1,5 @@
+
+
+schwimmt herum.
+entspannt sich.
+
\ No newline at end of file
diff --git a/1.5/Languages/German/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/German/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..beca199
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,7 @@
+
+
+
+
+ Hydrotherapie
+
+
diff --git a/1.5/Languages/German/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/German/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..ed030ac
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ Hygiene-Tab
+
+ Tastenbelegungen für die Hygiene-Sektion im Architekt-Menü.
+
+
diff --git a/1.5/Languages/German/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/German/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..365ea34
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ Stuhl-/Harndrang
+
+ Um Krankheitsrisiken zu vermeiden, ist es wichtig, für ein gutes Maß an Hygiene zu sorgen, indem Ausscheidungen entfernt oder geklärt werden und verhindert wird, dass Abwasser die Wasserversorgung verunreinigt.
+
+
+ Hygiene
+
+ Eine gute Körperpflege ist wichtig, um das Krankheitsrisiko zu reduzieren und die Kolonisten glücklich und gesund zu halten.
+
+
+ Durst
+
+ Wasser ist für viele physiologische Prozesse lebensnotwendig. Wenn dieser Wert Null erreicht, stirbt die Kreatur langsam an Dehydratation.
+
+
diff --git a/1.5/Languages/German/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/German/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..f092e33
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,18 @@
+
+
+
+
+ bionische Blase implantieren
+
+ Implantiere eine bionische Blase.
+
+ Implantiert bionische Blase.
+
+
+ Hygieneverstärker implantieren
+
+ Implantiere einen Hygieneverstärker.
+
+ Implantiert Hygieneverstärker.
+
+
diff --git a/1.5/Languages/German/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/German/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..80e5464
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,11 @@
+
+
+
+
+ Abwasser zu Sprit verarbeiten
+
+ Stelle Sprit her. Bei diesem Verfahren wird Biosprit aus Abwasser gewonnen.
+
+ Raffiniert Sprit aus Abwasser.
+
+
diff --git a/1.5/Languages/German/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/German/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..0c3a2c7
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,114 @@
+
+
+
+
+ Abwasser kompostieren
+
+ Wenn Abwasser ordnungsgemäß geklärt und verarbeitet wird, wird daraus Klärdünger, der die Fruchtbarkeit von Böden geringfügig erhöht. Nützlich für unwirtliche Gegenden mit begrenztem Platz zum Anbauen. Klärdünger erhöht zudem die Fruchtbarkeit von Sand, der in Kombination mit Bewässerung fruchtbar gemacht werden kann.
+
+
+ Multisplit-Klimatechnik
+
+ Baue Klimasysteme mit Außengeräten, die über Rohrleitungen mit Innen- und Tiefkühlgeräten verbunden sind.
+
+
+ Sanitärtechnik
+
+ Benutze Rohre, Sanitäranlagen, Wasserspeicher, Windpumpen und andere Apparaturen, um Wasser und Abwasser zu fördern und abzuleiten.
+
+
+ Heiztechnik
+
+ Baue holzbetriebene Thermen, mit denen Räume und Badewasser beheizt werden können.
+
+
+ Zentralheizung
+
+ Baue Zentralheizungssysteme mit Heizkörpern, Warmwasserspeichern, Thermen und Thermostaten.
+
+
+ geothermisches Heizen
+
+ Baue geothermische Thermen auf Geysiren, um Wärme für Zentralheizungssysteme und Warmwasserspeicher zu erzeugen.
+
+
+ Saunen
+
+ Baue einen gesonderten Raum mit einem Saunaofen, wo sich deine Kolonisten entspannen und waschen können. Häufiger Gebrauch kann das Risiko eines Herzinfarkts verringern.
+
+
+ moderne Sanitäranlagen
+
+ Baue moderne Sanitäranlagen wie Toiletten und Duschen.
+
+
+ elektrische Pumpen
+
+ Baue strombetriebene Wasserpumpen, um Wasser unter Druck kontinuierlich zu pumpen.
+
+
+ Power-Duschen
+
+ Baue Power-Duschen, die den Zeitaufwand beim Duschen halbieren und den Komfort verbessern.
+
+
+ smarte Toiletten
+
+ Baue Toiletten, die komfortabel, selbstreinigend und supereffizient sind.
+
+
+ Whirlpools
+
+ Baue Whirlpools, die für Hydrotherapie, Entspannung und Vergnügen genutzt werden können.
+
+
+ industrielle Pumpen
+
+ Baue Wasserpumpen und Wasserspeicher im industriellen Maßstab.
+
+
+ tiefe Brunnen
+
+ Bohre tiefere Brunnen, um ein viel größeres Grundwasservorkommen zu erschließen.
+
+
+ Waschmaschinen
+
+ Baue Waschmaschinen, um verunreinigte Kleidungsstücke von Verstorbenen zu waschen, damit diese ohne Malus getragen werden können.
+
+
+ Wasserfiltration
+
+ Baue Wasserfiltersysteme, um die Wasserqualität zu verbessern und das Risiko von Krankheiten zu beseitigen.
+
+
+ Hygiene-Bionik
+
+ Stelle bionische Körperteile her, die Ausscheidungsprozesse und Körperpflege unterstützen.
+
+
+ Klärgruben
+
+ Baue Klärgruben, die das Abwasser sammeln und mit moderater Geschwindigkeit reinigen.
+
+
+ Kläranlagen
+
+ Baue Kläranlagen, die große Mengen an Abwasser sammeln und eine schnelle Abwasserreinigung ermöglichen.
+
+
+ Schwimmbecken
+
+ Baue Schwimmbecken.
+
+
+ Bewässerung
+
+ Baue Sprinkler, mit denen Böden bewässert werden können, um die Fruchtbarkeit zu erhöhen.
+
+
+ Brandschutz
+
+ Baue Löschsprinkler, die Brände mit Sprühwasser löschen.
+
+
diff --git a/1.5/Languages/German/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/German/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..7b78216
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+
+ Dubs Bad Hygiene
+
+
diff --git a/1.5/Languages/German/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/German/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..948ca9b
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,11 @@
+
+
+
+
+ öffentlicher Baderaum
+
+ privater Baderaum
+
+ Saunaraum
+
+
diff --git a/1.5/Languages/German/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/German/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..e27d6b4
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ Durst-Rate-Faktor
+
+ Ein Multiplikator darauf, wie schnell das Bedürfnis 'Durst' einer Kreatur sinkt.
+
+
+ Hygiene-Rate-Faktor
+
+ Ein Multiplikator darauf, wie schnell das Bedürfnis 'Hygiene' einer Kreatur sinkt.
+
+
+ Stuhl-/Harndrang-Rate-Faktor
+
+ Ein Multiplikator darauf, wie schnell das Bedürfnis 'Stuhl-/Harndrang' einer Kreatur sinkt.
+
+
diff --git a/1.5/Languages/German/DefInjected/TerrainDef/Buildings5_Floors.xml b/1.5/Languages/German/DefInjected/TerrainDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..aa23ff7
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/TerrainDef/Buildings5_Floors.xml
@@ -0,0 +1,34 @@
+
+
+
+
+ Mosaikfliese
+
+ Stahlfliesen im Mosaikmuster. Für Bäder und Küchen geeignet.
+
+
+ Mosaikfliese aus Sandstein
+
+ Sorgfältig behauene, passgenaue Steinfliesen im Mosaikmuster. Für Bäder und Küchen geeignet.
+
+
+ Mosaikfliese aus Granit
+
+ Sorgfältig behauene, passgenaue Steinfliesen im Mosaikmuster. Für Bäder und Küchen geeignet.
+
+
+ Mosaikfliese aus Kalkstein
+
+ Sorgfältig behauene, passgenaue Steinfliesen im Mosaikmuster. Für Bäder und Küchen geeignet.
+
+
+ Mosaikfliese aus Schiefer
+
+ Sorgfältig behauene, passgenaue Steinfliesen im Mosaikmuster. Für Bäder und Küchen geeignet.
+
+
+ Mosaikfliese aus Marmor
+
+ Sorgfältig behauene, passgenaue Steinfliesen im Mosaikmuster. Für Bäder und Küchen geeignet.
+
+
diff --git a/1.5/Languages/German/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/German/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..e87cc9b
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ Beckenwasser
+
+ Wasser
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/German/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..b7944e4
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,9 @@
+
+
+
+
+ Abfallprodukte
+
+ Hygiene
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/German/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..c84acd6
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,19 @@
+
+
+
+
+ Rohrleitung
+
+ Rohrleitung zum Verbinden von Sanitäranlagen.
+
+
+ Ventil
+
+ Öffnet oder schließt den Durchfluss in Rohrleitungen.
+
+
+ Klima-Rohrleitung
+
+ Rohrleitung zum Verbinden von Geräten einer Multisplit-Klimaanlage.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/German/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..5a7e2e2
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,94 @@
+
+
+
+
+ Kabinentür
+
+ Dünne Tür, die als Sichtschutz für Benutzer von Sanitäranlagen dient. Die Tür schafft weder neue Räume noch verhindert sie Wärmeverlust.
+
+
+ Latrine
+
+ Eine Vorrichtung, die Fäkalien in einem Loch im Boden sammelt. Muss manuell entleert werden oder kann mit einer Rohrleitung verbunden werden.\n14 Liter pro Nutzung
+
+
+ Ziehbrunnen
+
+ Gewährt Zugang zu Grundwasser. Das Wasser muss in einen Waschzuber gefüllt werden, bevor es zum Waschen oder Trinken verwendet werden kann.
+
+
+ Waschzuber
+
+ Ein Wasserbehälter für die Körperpflege. Muss regelmäßig mit frischem Wasser aufgefüllt werden oder füllt sich automatisch, wenn es regnet. Kann auch zum Trinken verwendet werden, wenn Durst aktiviert ist.
+
+
+ Wassertrog
+
+ Ein Wasserbehälter, der von Tieren genutzt wird. Ein Füllventil sorgt dafür, dass der Trog automatisch wieder mit Wasser aufgefüllt wird, wenn der Pegelstand niedrig ist. Füllt sich auch bei Regen auf.
+
+
+ Wassernapf
+
+ Ein Wasserbehälter, der von Tieren genutzt wird.
+
+
+ Tierklo
+
+ Ein Behältnis für Kleintiere, in dem sie nach Wahl ihren Urin und Kot ablegen und vergraben können.
+
+
+ Verbrennungsgrube
+
+ Dient zur Beseitigung von Abwasser. Das Abwasser wird als Brennstoff dazugegeben und anschließend verbrannt. Kann auch für die Beseitigung von Leichen oder anderem Unrat verwendet werden. Kolonisten können krank werden, wenn sie sich zu lange in der Nähe von brennenden Abfällen aufhalten.
+
+
+ Waschbecken
+
+ Einfaches Waschbecken, um die Hände nach dem Toilettengang sauber zu machen.
+
+
+ Wasserspender
+
+ Ein Wasserspender, der zum Trinken und Waschen genutzt wird.
+
+
+ Spülbecken
+
+ Ein Becken, den man üblicherweise in einer Küche vorfindet. Erhöht die Sauberkeit eines Raums.
+
+
+ Toilette
+
+ Sanitäranlage zur Entsorgung von menschlichem Urin und Fäkalien.\n14 Liter pro Nutzung
+
+
+ smarte Toilette
+
+ Bequeme, selbstreinigende und hocheffiziente Sanitäranlage zur Entsorgung von menschlichem Urin und Fäkalien. Bietet ein optimales, multifunktionales Erlebnis mit automatischer Reinigung und Geruchsbeseitigung.\n7 Liter pro Nutzung
+
+
+ Badematte
+
+ Eine kleine Matte, die in der Regel neben einer Badewanne liegt, um Wasser aufzusaugen.
+
+
+ Badewanne
+
+ Langsam im Gebrauch, aber sehr gemütlich. Beheizbar mittels Lagerfeuer oder Holz-Therme in direkter Nähe oder mittels angeschlossenem Warmwasserspeicher. Benötigt keinen Abwasserabfluss.\n190 Liter pro Nutzung
+
+
+ Dusche
+
+ Einfache Dusche. Benötigt Wasser aus Wassertürmen. Beheizbar mittels angeschlossenem Warmwasserspeicher. Benötigt keinen Abwasserabfluss.\n65 Liter pro Nutzung
+
+
+ einfache Dusche
+
+ Einfache Dusche. Benötigt Wasser aus Wassertürmen. Beheizbar mittels angeschlossenem Warmwasserspeicher. Benötigt keinen Abwasserabfluss.\n65 Liter pro Nutzung
+
+
+ Power-Dusche
+
+ Erwärmt das Wasser bei Bedarf. Benötigt keinen Warmwasserspeicher. Reinigt doppelt so schnell.\n90 Liter pro Nutzung
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/German/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..ab044ee
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,34 @@
+
+
+
+
+ Schwimmbecken
+
+ Schwimmbecken für Hydrotherapie, Entspannung oder Vergnügen. Muss zuerst mit Wasser aus Wassertürmen gefüllt werden.
+
+
+ Whirlpool
+
+ Selbstbeheizter Whirlpool für Hydrotherapie, Entspannung oder Vergnügen. Muss bei erstmaliger Benutzung mit Wasser aus Wassertürmen befüllt werden. Benötigt keinen Abwasserabfluss.
+
+
+ Waschmaschine
+
+ Wäscht verunreinigte Kleidungsstücke von Verstorbenen, damit diese ohne Malus getragen werden können.
+
+
+ Saunaofen
+
+ Ein spezieller Ofen, der für die Realisierung eines Saunaraums notwendig ist. Regelmäßige Saunabesuche verringern das Risiko von Herzinfarkten. Heizt den Raum auf 60 Grad auf.
+
+
+ elektr. Saunaofen
+
+ Ein spezieller Ofen, der für die Realisierung eines Saunaraums notwendig ist. Regelmäßige Saunabesuche verringern das Risiko von Herzinfarkten. Heizt den Raum auf 60 Grad auf.
+
+
+ Saunasitz
+
+ Eine aus Latten bestehende Sitzfläche für Saunaräume.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/German/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..4427d69
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,64 @@
+
+
+
+
+ Brunnen
+
+ Gewährt Zugang zu Grundwasser, das mit Pumpen gefördert werden kann. Abwasser oder ähnliches in der Nähe beeinträchtigt die Wasserqualität und kann zu einer Kontamination führen.
+
+
+ Tiefer Brunnen
+
+ Gewährt Zugang zu einem großen Vorkommen an Grundwasser, das mit Pumpen gefördert werden kann. Tiefe Brunnen können keiner Kontamination ausgesetzt werden.
+
+
+ Wassertonne
+
+ Speichert Wasser, das von Sanitäranlagen genutzt werden kann. Wenn das enthaltene Wasser zu stark verunreinigt ist, muss es abgelassen werden.
+
+
+ Wasserturm
+
+ Speichert Wasser, das von Sanitäranlagen genutzt werden kann. Wenn das enthaltene Wasser zu stark verunreinigt ist, muss es abgelassen werden.
+
+
+ großer Wasserturm
+
+ Speichert Wasser, das von Sanitäranlagen genutzt werden kann. Wenn das enthaltene Wasser zu stark verunreinigt ist, muss es abgelassen werden.
+
+
+ Windpumpe
+
+ Pumpt Wasser von Brunnen zu Wassertürmen. Pumpleistung: 3000 L/Tag.
+
+
+ elektr. Pumpe
+
+ Pumpt Wasser von Brunnen zu Wassertürmen. Pumpleistung: 1500 L/Tag.
+
+
+ Pumpstation
+
+ Pumpt Wasser von Brunnen zu Wassertürmen. Pumpleistung: 10000 L/Tag.
+
+
+ Abwasserauslass
+
+ Kann überall platziert werden. Das Abwasser sammelt sich und verteilt sich an Land oder im Wasser. Abwasser reinigt sich mit der Zeit; Nahe Bäume, Wasser oder Regen beschleunigen diesen Prozess.
+
+
+ Klärgrube
+
+ Ermöglicht eine langsame, aber kontinuierliche Reinigung von Abwasser. Das Abwasser wird zunächst in Klärgruben geleitet. Wenn die Kapazität erreicht ist, wird das überschüssige Abwasser zu Abwasserauslässen geleitet.
+
+
+ Kläranlage
+
+ Ermöglicht eine langsame, aber kontinuierliche Reinigung von Abwasser. Wenn die Kapazität erreicht ist, wird das überschüssige Abwasser zu Abwasserauslässen geleitet.
+
+
+ Wasserfilteranlage
+
+ Macht das Wasser zu 99,99 Prozent keimfrei! Filtert vorhandenes Wasser in Wassertürmen und jegliches von Sanitäranlagen genutztes Wasser und beseitigt so das Risiko von Krankheiten.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/German/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..ea6a9d0
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,89 @@
+
+
+
+
+ Thermostat
+
+ Dient zur Steuerung von elektrischen oder spritbetriebenen Thermen. Es können mehrere platziert werden. Der Anschluss erfolgt über normale Rohrleitungen.
+
+
+ Holz-Therme
+
+ Erzeugt 2000 Heizeinheiten für angeschlossene Heizkörper und Warmwasserspeicher. Beheizt den Raum und angrenzende Baderäume. Benötigt Holz als Brennstoff.
+
+
+ Sprit-Therme
+
+ Erzeugt 2000 Heizeinheiten für angeschlossene Heizkörper und Warmwasserspeicher. Benötigt Sprit als Brennstoff. Kann über Thermostate gesteuert werden.
+
+
+ elektr. Therme
+
+ Erzeugt eine variable Menge an Heizeinheiten für angeschlossene Heizkörper und Warmwasserspeicher. Manuell gesteuerte Leistungsregelung. Kann über Thermostate gesteuert werden.
+
+
+ Solar-Therme
+
+ Nutzt das Sonnenlicht zur Erwärmung von Warmwasserspeichern und Heizkörpern. Erzeugt 0-2000 Heizeinheiten je nach Lichtstärke und Umgebungstemperatur.
+
+
+ geotherm. Therme
+
+ Nutzt die Erdwärme zur Erhitzung von Warmwasserspeichern und Heizkörpern. Erzeugt 3700 Heizeinheiten.
+
+
+ Warmwasserspeicher
+
+ Speichert Warmwasser für Duschen und Bäder. Muss zum Erwärmen des Wassers an eine Therme angeschlossen werden.
+
+
+ Heizkörper
+
+ Beheizt Räume. Muss an eine Therme angeschlossen werden. Benötigt 100 Heizeinheiten.
+
+
+ großer Heizkörper
+
+ Heizt mit einer dreimal höheren Wärmeabgabe als ein normaler Heizkörper. Nützlich für größere Räume. Muss an eine Therme angeschlossen werden. Benötigt 300 Heizeinheiten.
+
+
+ Handtuchhalter
+
+ Schöner Handtuchhalter für das Bad.
+
+
+ 2x2-Deckenventilator
+
+ Kühlt einen Raum durch Luftzirkulation. Enthält eine eingebaute Lampe.
+
+
+ 1x1-Deckenventilator
+
+ Kühlt einen Raum durch Luftzirkulation. Enthält eine eingebaute Lampe.
+
+
+ dunkler 2x2-Deckenventilator
+
+ Kühlt einen Raum durch Luftzirkulation. Enthält eine eingebaute Dunkellichtlampe.
+
+
+ dunkler 1x1-Deckenventilator
+
+ Kühlt einen Raum durch Luftzirkulation. Enthält eine eingebaute Dunkellichtlampe.
+
+
+ Außenklimagerät
+
+ Gerät einer Multisplit-Klimaanlage. Muss draußen platziert und mit einem Innenklimagerät oder Tiefkühlgerät verbunden werden. Ermöglicht die Auswahl eines Energiemodus im Bereich von 100 bis 1000 Kühleinheiten.
+
+
+ Innenklimagerät
+
+ Gerät einer Multisplit-Klimaanlage. Muss drinnen platziert und mit einem Außenklimagerät verbunden werden. Benötigt 100 Kühleinheiten.
+
+
+ Tiefkühlgerät
+
+ Gerät zur Realisierung eines begehbaren Kühlschranks. Muss mit einem Außenklimagerät verbunden werden. Benötigt 300 Kühleinheiten.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/German/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..7379540
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ Sprinkler
+
+ Bewässert die umliegende Fläche jeden Tag am Morgen, um die Fruchtbarkeit des Bodens über den Tag hinweg zu erhöhen. Verbraucht jedes Mal 1000 Liter bei Maximalradius.
+
+
+ Löschsprinkler
+
+ Wird durch Feuer oder hohe Temperaturen ausgelöst. Löscht Flammen mit Sprühwasser.
+
+ Aktiviere Löschsprinkler
+
+
+ Klärdünger-Komposter
+
+ Ein Komposter zur Umwandlung von Abwasser in Dünger, der zum Steigern der Fruchtbarkeit von Böden genutzt werden kann.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/Effecter_Misc.xml b/1.5/Languages/German/DefInjected/ThingDef/Effecter_Misc.xml
new file mode 100644
index 0000000..df7304a
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/Effecter_Misc.xml
@@ -0,0 +1,10 @@
+
+
+Mote
+Mote
+Mote
+Mote
+Mote
+Mote
+Mote
+
\ No newline at end of file
diff --git a/1.5/Languages/German/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/German/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..6a3d77e
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,14 @@
+
+
+
+
+ Urin
+
+ Urin auf dem Boden.
+
+
+ Fäkalien
+
+ Rohabwasser
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/German/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..f5da2cf
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,14 @@
+
+
+
+
+ bionische Blase
+
+ Eine fortschrittliche künstliche Blase. Ein chemisches Recyclingsystem zerlegt die Abfallprodukte des Körpers in Moleküle, während der Rest als Gas freigesetzt wird. Der Nachteil ist, dass der Benutzer dabei Blähungen bekommt.
+
+
+ Hygieneverstärker
+
+ Setzt Mechaniten frei, die abgestorbene Hautzellen und andere Rückstände auf Haut und Haaren unschädlich machen.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/German/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..2225fc0
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,28 @@
+
+
+
+
+ Bettpfanne
+
+ Ein Behältnis, das von einem bettlägerigen Patienten für Urin und Fäkalien verwendet wird.
+
+
+ Klärdünger
+
+ Wenn Abwasser ordnungsgemäß geklärt und verarbeitet wird, wird daraus Klärdünger, der die Fruchtbarkeit von Böden geringfügig erhöht. Nützlich für unwirtliche Gegenden mit begrenztem Platz zum Anbauen. Klärdünger erhöht zudem die Fruchtbarkeit von Sand, der in Kombination mit Bewässerung fruchtbar gemacht werden kann.
+
+
+ Abwasser
+
+ Ein mit Abwasser gefülltes Fass. Kann entsorgt, verbrannt oder zu Klärdünger kompostiert werden.
+
+
+ Wasser
+
+ Eine Flasche mit Wasser.
+
+ Trinke {0}
+
+ Trinkt {0}.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/German/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..8f924dd
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,107 @@
+
+
+
+
+ trank sauberes Wasser
+
+ Ich habe erfrischendes, sauberes Wasser getrunken.
+
+
+ trank schmutziges Wasser
+
+ Ich habe kontaminiertes Wasser getrunken.
+
+
+ trank Urin
+
+ Ich habe meinen eigenen Urin getrunken.
+
+
+ in Verlegenheit gebracht
+
+ Jemand hat mich beim Baden gesehen. Das war mir unangenehm.
+
+
+ in Verlegenheit gebracht
+
+ Jemand hat mich überrascht, als ich auf der Toilette war.
+
+
+ eingenässt
+
+ Ich konnte es nicht länger zurückhalten!
+
+
+ heiß geduscht
+
+ Ich hatte eine schöne heiße Dusche.
+
+
+ beheizter Pool
+
+ Der beheizte Pool war sehr entspannend.
+
+
+ heiß gebadet
+
+ Ich hatte ein schönes heißes Bad.
+
+
+ kalt gebadet
+
+ Ich hatte ein erfrischendes kaltes Bad.
+
+
+ kalt geduscht
+
+ Ich hatte eine erfrischende kalte Dusche.
+
+
+ kaltes Wasser
+
+ Es gab kein warmes Wasser!
+
+
+ Notdurft verrichtet
+
+ Aaaah viel besser!
+
+
+ Notdurft im Freien
+
+ Ich musste mich draußen im Freien erleichtern.
+
+
+ abscheulicher Baderaum
+
+ Mein Baderaum ist ein abscheulicher Ort.
+
+ guter Baderaum
+
+ Mein Baderaum ist ziemlich interessant. Das gefällt mir.
+
+ halbwegs imposanter Baderaum
+
+ Mein Baderaum ist halbwegs imposant. Das gefällt mir.
+
+ imposanter Baderaum
+
+ Mein Baderaum ist imposant. Ich liebe es!
+
+ sehr imposanter Baderaum
+
+ Mein Baderaum ist sehr imposant. Das ist der beste Ort überhaupt!
+
+ extrem imposanter Baderaum
+
+ Mein Baderaum ist extrem imposant. Das ist der beste Ort überhaupt!
+
+ unglaublich imposanter Baderaum
+
+ Mein Baderaum ist unglaublich imposant. Das ist der beste Ort überhaupt!
+
+ sagenhaft imposanter Baderaum
+
+ Mein Baderaum ist der beste Ort, den man sich vorstellen kann. Hier könnte ich für immer bleiben.
+
+
diff --git a/1.5/Languages/German/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/German/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..89740d9
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,30 @@
+
+
+
+
+ sehr schmutzig
+
+ Ich rieche, als hätte ich in Abwasser gebadet.
+
+ schmutzig
+
+ Ich fühle mich ein bisschen schmutzig.
+
+ sauber
+
+ Ich fühle mich frisch und sauber.
+
+ blitzsauber
+
+ Ich bin blitzsauber!
+
+
+ platze gleich
+
+ Ich muss dringend meine Notdurft verrichten, sonst platze ich gleich!
+
+ muss auf die Toilette
+
+ Ich muss auf die Toilette.
+
+
diff --git a/1.5/Languages/German/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/German/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..dc9d286
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,21 @@
+
+
+
+
+ Mysophobie
+
+ [PAWN_nameDef] hat eine krankhafte Angst vor Keimen und und wäscht sich viel häufiger als andere.
+
+ hygienisch
+
+ [PAWN_nameDef] ist sehr hygienisch und wäscht sich öfters.
+
+ unhygienisch
+
+ [PAWN_nameDef] ist sehr unhygienisch und wird sich seltener waschen.
+
+ Schmutzfink
+
+ [PAWN_nameDef] hat ein sehr geringes Sauberkeitsbedürfnis und wäscht sich nur, wenn es unbedingt nötig ist.
+
+
diff --git a/1.5/Languages/German/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/German/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..5a2f901
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,67 @@
+
+
+
+
+ düngen
+
+ düngen
+
+ Düngen im
+
+
+ Abwasser ausschütten
+
+ Abwasser ausschütten
+
+ Ausschütten von
+
+
+ Wasser ablassen
+
+ entleeren
+
+ Entleeren von
+
+
+ Trinkbares verabreichen
+
+ mit Trinkbarem versorgen
+
+ Bringen von Trinkbarem zu
+
+
+ Trinkbares verabreichen
+
+ mit Trinkbarem versorgen
+
+ Bringen von Trinkbarem zu
+
+
+ Verstopfung lösen
+
+ von der Verstopfung befreien
+
+ Lösen der Verstopfung in
+
+
+ Patient waschen
+
+ waschen
+
+ Waschen von
+
+
+ Bettpfanne reinigen
+
+ reinigen
+
+ Reinigen von
+
+
+ Bettpfanne reinigen
+
+ reinigen
+
+ Reinigen von
+
+
diff --git a/1.5/Languages/German/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/German/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..bd5de69
--- /dev/null
+++ b/1.5/Languages/German/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,81 @@
+
+
+
+
+ Verbrennungsgrube nutzen
+
+ verbrennen
+
+ Verbrennen an
+
+
+ Fässer mit Abwasser befüllen
+
+ abwasserfrei machen
+
+ Entfernen von Abwasser im
+
+
+ Waschmaschine entladen
+
+ entladen
+
+ Entladen von
+
+
+ Waschmaschine beladen
+
+ beladen
+
+ Beladen von
+
+
+ Komposter leeren
+
+ leeren
+
+ Leeren von
+
+
+ Komposter befüllen
+
+ befüllen
+
+ Befüllen von
+
+
+ Klärgrube leeren
+
+ leeren
+
+ Leeren von
+
+
+ Klärgrube leeren
+
+ leeren
+
+ Leeren von
+
+
+ Wasser nachfüllen
+
+ befüllen
+
+ Befüllen von
+
+
+ Wasser nachfüllen
+
+ befüllen
+
+ Befüllen von
+
+
+ Schmutz im Raum entfernen
+
+ entfernen
+
+ Entfernen von
+
+
diff --git a/1.5/Languages/German/Keyed/DubsHygiene.xml b/1.5/Languages/German/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..3bb542a
--- /dev/null
+++ b/1.5/Languages/German/Keyed/DubsHygiene.xml
@@ -0,0 +1,472 @@
+
+
+
+
+ Rohrleitung entfernen
+
+ Markiere Rohrleitungen, die entfernt werden sollen.
+
+ Abwasser entfernen
+
+ Markiere Abwasser, das vom Boden entfernt und in Fässer gefüllt werden soll.
+
+ Rohrleitung entfernen
+
+ Klima-Rohrleitung entfernen
+
+
+ Raum ist zu groß zum Heizen!\nMaximal 50 Zellen pro Ofen\nFüge weitere Saunaöfen hinzu oder verkleinere den Raum
+
+ Pool ist beheizt
+
+ Pool aktuell nicht nutzbar:
+
+ Es regnet
+
+ Zu kalt {0}
+
+ Haftraum benötigt Wasserquelle
+
+ Ein Haftraum hat keinen Zugang zu Trinkwasser; baue mind. 1 Trinkwasserquelle wie z. B. Waschzuber oder -becken, damit die Gefangenen freien Zugang zu Trinkwasser haben.
+
+ Wasserspeicher benötigt
+
+ Wasser, das aus Brunnen gepumpt wird, muss in einem Wasserturm oder einer Wassertonne gespeichert werden.
+
+ Brunnen benötigt
+
+ Pumpen benötigen einen Brunnen, der via Rohrleitungen angeschlossen ist, um an das Grundwasser zu gelangen.
+
+ Wasserpumpe benötigt
+
+ Es wird eine Wasserpumpe benötigt, um Brunnenwasser zu einem Wasserturm zu pumpen.
+
+ Kontamination durch giftigen Niederschlag
+
+ In 2 Tagen wird der giftige Niederschlag alle Wasserspeicher, die mit Brunnen verbunden sind, kontaminieren.\n\nLege einen Wasservorrat an und trenne die Brunnen anschließend vom Versorgungsnetz (z. B. mittels Ventil), um das Wasser vor Kontamination zu schützen, bevor es zu spät ist.\n\nAlternativ kannst du einen tiefen Brunnen benutzen, um unverseuchtes Wasser zu beziehen, oder eine Wasserfilteranlage errichten, die sämtliche Verunreinigungen in den Wasservorräten beseitigt.
+
+
+ Geringe Kühlleistung. Du kannst die Leistung der Außengeräte erhöhen.
+
+ Zugang beschränkt
+
+ Nur für {replace: {0}; "Male"-"Männer"; "Female"-"Frauen"}
+
+ Nur für Gefangene
+
+ Ein Abwasserauslass ist blockiert.
+
+ Es hat sich Abwasser um die Abflussöffnung angesammelt und blockiert den Auslass.\n\nBaue mehr Auslässe oder schließe eine Klärgrube an, um einen Puffer zu schaffen und den Druck auf die Auslässe zu verringern.
+
+ Niedrige Wassertemperatur
+
+ Die Wassertemperatur in diesem Speicher ist zu niedrig; Kolonisten, die warmes Wasser erwarten, könnten sich daran stören.\n\nSchalte deine Thermen ein, erhöhe die Heizkapazität oder schließe einen weiteren Warmwasserspeicher an.
+
+ Muss über einer Zelle mit Grundwasser platziert werden.
+
+ Die Sanitäranlage muss zum Beschränken in einem Raum sein.
+
+ Benötigt einen Wasserturm
+
+ Zuweisung benötigt Stuhl-/Harndrang-Bedürfnis, aber {0} hat keins.
+
+
+ Kein kompostierbares Material
+
+ Keine Wasserzufuhr
+
+ Kein Abwasserabfluss
+
+ Benötigt Rohrleitung
+
+ Zugang beschränkt
+
+
+ Zu heiß: x{0}
+
+ Im Regen: x{0}
+
+ Anstrengung: x{0}
+
+ Raum: x{0}
+
+ Gesamt: x{0}
+
+ Schmutzige Hände - Krankheitsrisiko
+
+
+ Ein Abfluss ist verstopft.
+
+ Ein Abfluss ist verstopft. Ein Reiniger muss die Verstopfung lösen.
+
+
+ Kontaminiertes Wasser
+
+ Ein Brunnen ist verseucht.\n\nUrsache der Kontamination:\n{0}\n\nVersetze den Brunnen oder beseitige die Ursache der Kontamination. Alternativ kannst du eine Wasserfilteranlage anschließen, die gespeichertes Brunnenwasser, sofern vorhanden, mit der Zeit reinigen kann.
+
+ Kontaminierter Wasserturm
+
+ Ein Wasserturm ist verseucht und stellt ein ernsthaftes Gesundheitsrisiko für deine Kolonisten dar. Beseitige die Ursache für die Verschmutzung und lass das Wasser ab, oder schließe eine Wasserfilteranlage an.
+
+
+ {0} hat sich {1} aufgrund schlechter Körperpflege zugezogen
+
+ {0} hat sich {1} durch das Trinken von ungeklärtem Wasser zugezogen
+
+ {0} hat sich {1} durch das Trinken von kontaminiertem Wasser zugezogen
+
+
+ Geschlechtsbeschränkung ändern
+
+ Medizinisch
+
+ Beschränke diese Sanitäranlage nur auf Patienten.
+
+ Nur für Patienten
+
+ Kampfhubschrauber
+
+ Unisex
+
+ Bett verknüpfen
+
+ Verknüpfe die Sanitäranlagen mit einem nahegelegenen Bett, damit sie den Besitzer erben. Halte die Umschalttaste gedrückt, um mehrere Betten zuzuweisen.
+
+ Verknüpfung mit Bett lösen
+
+ Löse die Verknüpfung mit dem Bett.
+
+ Nur für Tiere
+
+ Belegung prüfen
+
+ Sollen deine Kolonisten prüfen, ob etwas im Raum belegt ist, bevor sie versuchen, die Sanitäranlage zu benutzen? Dies würde verhindern, dass sich deine Kolonisten über den Weg laufen, wenn sie Waschbecken und Toilette gleichzeitig benutzen wollen.
+
+ Kolonisten
+
+ Sklaven
+
+ Gäste
+
+ Kolonisten gesperrt
+
+ Sklaven gesperrt
+
+ Gäste gesperrt
+
+
+ Wassertemperatur: {0}
+
+ Gesamtbedarf/-kapazität: {0} / {1} U ({2})
+
+ Gesamtbedarf/-kapazität: {0} / {1} U ({2})
+
+ Heizverbrauch: {0} U
+
+ Kühlverbrauch: {0} U
+
+ Heizeinheiten/-leistung: {0} U / {1} W
+
+ Kühleinheiten/-leistung: {0} U / {1} W
+
+ Effizienz: {0}
+
+ Effizienz: {0} Überhitzung
+
+ Mindesttemperatur: {0}
+
+ Leistung verringern
+
+ Verringere die Heizkapazität.
+
+ Leistung erhöhen
+
+ Erhöhe die Heizkapazität.
+
+ Warmwasserkapazität: {0}
+
+ Thermostat ignorieren
+
+ Zwinge die Therme zum Dauerbetrieb.
+
+ Abluftöffnungen müssen freigehalten werden!
+
+ Zu kalt
+
+ Überdacht
+
+ Heizeinheiten (Effizienz): {0} U ({1})
+
+ Heizkörpertemperatur: {0}
+
+ Thermostat wird von Warmwasserspeichern ignoriert. Aktiviere bei allen angeschlossenen Warmwasserspeichern die Thermostatsteuerung.
+
+ Thermostatsteuerung
+
+ Schaltet Thermen für 1 Stunde ein, wenn die Speichertemperatur zu niedrig ist. Bei Deaktivierung laufen die Thermen im Dauerbetrieb und ignorieren alle Thermostate im Raum.
+
+
+ Wasche deine Hände
+
+ Waschen
+
+ Benutzen
+
+ Füllstand = {0}
+
+ Muss an Rohrleitungsnetz angeschlossen werden
+
+ Verstopfter Abfluss
+
+ Leere oder schließe Latrine an Rohrleitungsnetz an
+
+ In Betrieb...
+
+ Kann entladen werden
+
+ Geladen: {0}/{1}
+
+ Keine schmutzige Wäsche
+
+ Voll
+
+ Keine Wasserquellen der höchstmöglichen Qualität frei oder verfügbar.
+
+ Durchfluss +50 L
+
+ Durchfluss -50 L
+
+ Füllrate: {0} L/h
+
+ Trinken
+
+ Ventil öffnen/schließen
+
+ Öffne oder schließe das Ventil.
+
+ Ventil geschlossen
+
+
+ Pumpleistung: {0} L/Tag
+
+ Grundwasserkapazität: {0} L/Tag
+
+ Gesamt-Pump/Grundwasser-Kapazität {0}/{1} L/Tag ({2})
+
+
+ Wasservorrat: {0} L
+
+ Gesamt-Wasservorrat: {0} L
+
+
+ Verschmutzungsgrad: {0}
+
+
+ Radius verkleinern
+
+ Radius vergrößern
+
+ Qualität: Ungeklärt - Geringes Krankheitsrisiko
+
+ Qualität: Kontaminiert - Hohes Krankheitsrisiko!
+
+ Qualität: Geklärt - Sicher
+
+
+ Wasser ablassen
+
+ Lass Wasser ab und beseitige dadurch Kontamination.
+
+
+ Wasserwert: {0} pro {1} L
+
+ Wasser
+
+
+ Überschneidet sich mit {0} Brunnen
+
+
+ Abwasser {0}
+
+ Leeren
+
+ Legen Sie die Menge fest, ab der Abwasser in Fässer gefüllt werden soll. Abwasser kann man andernorts wegkippen, verbrennen oder zu Klärdünger oder Sprit verarbeiten.
+
+ Klärt: {0} L/Tag. Enthält: {1} L ({2})
+
+ Nie leeren
+
+ Leeren ab {0}
+
+
+ Grube: {0}
+
+ Grube ist voll, jetzt leeren!
+
+ Ausschütten
+
+ Schütte das Abwasser auf den Boden.
+
+
+ Enthält Kompost: {0}/{1} L
+
+ Enthält Abwasser: {0}/{1} L
+
+ Kompostiert
+
+ Kompostierungsfortschritt: {0} ({1})
+
+ Komposter hat ungünstige Temperatur
+
+ Ideale Kompostierungstemperatur
+
+ Anbauen bei Anbauzone deaktiviert
+
+ Kein Dünger gefunden
+
+ Düngerzone
+
+ Markiere Gebiete, die mit Klärdünger fruchtbarer gemacht werden sollen.
+
+ Gebiet hinzufügen
+
+ Gebiet entfernen
+
+
+ Getränke-Einpacken-Suchradius: {0}
+
+ Getränke einpacken: Suche ab {0}, max. {1}
+
+ Neu starten
+
+ Vorrangig in Räumen saubermachen
+
+ Bewirkt, dass ein Reinigungsauftrag mit höherer Priorität zuerst in Räumen erfolgt.
+
+ Mod-Entfernen-Hilfe
+
+ Schritte:\n\n1: Speichere sofort das Spiel, nachdem du auf Bestätigen gedrückt hast.\n2: Gehe ins Hauptmenü, deaktiviere die Mod und starte das Spiel neu.\n3: Lade deinen Spielstand, ignoriere alle Fehlermeldungen und speichere ihn erneut.\nLade nochmals deinen Spielstand; nun sollten keine Fehlermeldungen mehr auftreten, die sich auf fehlende Hygiene-Defs oder Klassen beziehen!
+
+ Durst bei Haustieren
+
+ Haustiere bekommen das Durstbedürfnis.
+
+ Es ist ein Neustart erforderlich, um Quality- und Art-Comps wieder hinzuzufügen.\n\nJetzt neu starten?
+
+ Sanitäranlagen-Quality und -Art
+
+ Aktiviert Quality- und Art-Comps für Sanitäranlagen wie Toiletten.
+
+ Zum Ändern ins Hauptmenü zurück.
+
+ Rimefeller-Verknüpfung
+
+ Ermöglicht die Wassernutzung bei Crackern und Raffinerien in Rimefeller.
+
+ Rimatomics-Verknüpfung
+
+ Ermöglicht die Wassernutzung bei Kühltürmen in Rimatomics.
+
+ Deaktiviere manuell Bedürfnisse nach Körpertyp, Spezies oder aktivem Gesundheitszustand.
+
+ Bedürfnisfilter
+
+ Stuhl-/Harndrang-Bedürfnis deaktivieren
+
+ Hygiene-Bedürfnis deaktivieren
+
+ Bedürfnisse
+
+ Setze Häkchen zum Aktivieren
+
+ Gefangene
+
+ Bestimme, ob Gefangene Bedürfnisse haben sollen.
+
+ Gäste
+
+ Bestimme, ob Gäste Bedürfnisse haben sollen.
+
+ Privatsphäre
+
+ Bestimme, ob Kolonisten beim Baden oder Toilettengang auf ihre Privatsphäre achten.
+
+ Kühlleistung
+
+ Bestimme, ob hohe Temperaturen die Kühlleistung von herkömmlichen Geräten wie die Kühlung beeinflussen sollen.
+
+ Regenbewässerung
+
+ Regen gibt den gleichen Boost wie Sprinkler. Könnte die Spielleistung beeinträchtigen.
+
+ Bedürfnisse ein-/ausschalten
+
+ Deaktiviert alle Bedürfnisse. Überschreibt alle anderen Einstellungen.
+
+ Gemoddete Getränke erlauben
+
+ Spielfiguren dürfen alle gemoddeten Getränke trinken und einpacken. VGP- und RimCuisine-Getränke können standardmäßig verwendet werden, andere müssen dafür extra gemoddet werden.
+
+ Wasserflaschen einpacken
+
+ Spielfiguren werden automatisch Wasserflaschen in ihr Inventar packen, sofern möglich.\n\nFunktioniert eventuell nicht mit einigen Mods; für CE musst du dein Loadout manuell verwalten, um die Wasserflaschen einzubeziehen, sonst lassen sie sie immer wieder fallen.
+
+ Bedürfnisfilter
+
+ Haupt-Features
+
+ Experimentelle Features
+
+ Stuhl-/Harndrang bei Haustieren
+
+ Aktiviert Stuhl-/Harndrang-Bedürfnis bei Haustieren. Fügt auch Klos für Haustiere hinzu.
+
+ Stuhl-/Harndrang bei Wildtieren
+
+ Aktiviert Stuhl-/Harndrang-Bedürfnis bei Wildtieren. Das könnte chaotisch werden.
+
+ Durst-Bedürfnis
+
+ Aktiviert Durst-Bedürfnis bei allen Kolonisten mit Stuhl-/Harndrang-Bedürfnis. Fügt Wasserspender und Wasserflaschen hinzu. Erfordert einen Neustart.
+
+ Dünger ist sichtbar
+
+ Bestimme, ob die Düngerzone sichtbar sein soll.
+
+ Nicht-menschliche Kolonisten
+
+ Aktiviert Bedürfnisse für nicht-menschliche Kolonisten. Du kannst bestimmte Kreaturen mit dem Bedürfnisfilter deaktivieren.
+
+ Extra-Features
+
+ Lite-Modus (vereinfacht die Mod)
+
+ Schalte die Mod in einen vereinfachten Modus, der Rohre, die Verwaltung von Wasser/Abwasser und alle Bauwerke und Tätigkeiten, die nichts direkt mit Hygiene und Durst zu tun haben, ausschaltet.\n\nDies verhindert das Laden vieler Defs und erfordert einen Neustart.\n\nWenn du versuchst, einen Spielstand mit vorhandenen Sanitäranlagen zu laden, musst du diesen nach Aktivierung des Lite-Modus möglicherweise speichern und neu laden.
+
+ Du musst das Spiel neu starten, um den Lite-Modus zu aktivieren.\n\nWenn du versuchst, einen Spielstand mit vorhandenen Sanitäranlagen zu laden, musst du diesen nach Aktivierung des Lite-Modus möglicherweise speichern und neu laden, um Fehlermeldungen zu beseitigen.
+
+ Passive Kühler nutzen Wasser
+
+ Passive Kühler werden nicht mehr mit Holz, sondern mit Wasser gefüllt, so wie es bei Waschzubern der Fall ist.
+
+ SoS2-Integration
+
+ Erweitert die Lebenserhaltung um die Aufbereitung von Wasser/Abwasser und fügt Rohre zu den Schiffsstrukturen hinzu.
+
+ Fülle Wasserflasche ab x{0}
+
+ Bad Hygiene Wiki
+
+ Besuche das Bad Hygiene Wiki.
+
+ Überlebensmodus
+
+ Begrenzt die Generierung des Flachwassergitters auf sehr kleine Bereiche. Geländeformen erzeugen kein Wasser mehr, und der Radius um Oberflächenwasser wird reduziert.\n\nEin neues Spiel ist nicht erforderlich; es funktioniert mit bestehenden Spielständen.
+
+ Hydrokulturen
+
+ Elektrisch betriebene Bauwerke zum Kultivieren von Pflanzen, wie z. B. Hydrokulturen, haben Wasserspeicher, die über Rohrleitungen gefüllt werden müssen. Die Pflanzen sterben mangels Wasser, nicht mangels Strom. Allerdings füllen sich die Wasserspeicher nur, wenn das Bauwerk mit Strom versorgt wird.
+
+ Es ist ein Neustart erforderlich, um durstbezogene Elemente hinzuzufügen oder zu entfernen.\n\nJetzt neu starten?
+
+
diff --git a/1.5/Languages/Korean/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/Korean/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..ba1d8a2
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,11 @@
+
+
+
+ 위생
+ 정착지의 위생을 관리하기 위한 것들.
+
+ 위생/기타
+ 정착지의 위생을 관리하기 위한 것들.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/Korean/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..6433be2
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,143 @@
+
+
+
+ 배관 레이어
+ 항상 숨기기
+ 바닥 타일 밑에 숨기기
+ 항상 보이기
+
+ 변기 물 사용량
+ 없음
+ 25%
+ 50%
+ 100%
+ 150%
+ 200%
+ 250%
+
+ 위생 수치 감소량
+ 없음
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 200%
+
+ 용변 수치 감소
+ 없음
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 200%
+
+ 갈증 수치 감소량
+ 없음
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 200%
+
+ 오염 가능성
+ 없음
+ 10%
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 175%
+ 200%
+
+ 물 펌프 압력
+ 치트
+ 200%
+ 150%
+ 100%
+ 75%
+ 50%
+ 25%
+
+ 온수 사용량
+ 없음
+ 50%
+ 75%
+ 100%
+ 125%
+ 150%
+ 200%
+
+ 한 칸당 오물 수용량
+ 치트
+ 400%
+ 200%
+ 100%
+ 80%
+ 60%
+ 20%
+
+ 하수 자연 자정 속도
+ 치트
+ 300%
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+ 0%
+
+ 하수 정화 속도
+ 치트
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+
+ 농업용수 토질 개선율
+ 치트
+ 240%
+ 220%
+ 200%
+ 180%
+ 160%
+ 140%
+ 120%
+ 110%
+
+ 비료의 토질 개선율
+ 치트
+ 160%
+ 140%
+ 120%
+ 110%
+ 108%
+ 106%
+ 104%
+ 102%
+
+ 기준 토질 비옥도
+ 치트
+ 180%
+ 140%
+ 120%
+ 110%
+ 100%
+ 90%
+ 80%
+ 60%
+ 40%
+ 20%
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/Korean/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..34b2824
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,28 @@
+
+
+
+ 씻는 중.
+ 씻는 중.
+
+ 나쁜 위생
+ 보통
+ 심하게 더러움
+ 극도로 더러움
+
+ 설사
+ 회복 중
+ 진행 중
+ 초기
+
+ 이질
+ 콜레라
+
+ 탈수증세
+ 약간 목마름
+ 가벼운 갈증
+ 갈증
+ 심각한 갈증
+ 극도의 갈증
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/IncidentDef/Incidents_Map_Misc.xml b/1.5/Languages/Korean/DefInjected/IncidentDef/Incidents_Map_Misc.xml
new file mode 100644
index 0000000..55579b8
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/IncidentDef/Incidents_Map_Misc.xml
@@ -0,0 +1,9 @@
+
+
+
+ 오염된 물탱크
+ 물탱크가 오염되어 정착민의 건강에 심각한 영향을 초래할 수 있습니다!\n\n탱크 내부의 오염된 물을 흘려보내거나, 정수시설을 건설하세요.
+ 오염된 물탱크
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/Korean/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..57b3973
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,32 @@
+
+
+
+ TargetA 활성화 중.
+ TargetA 비우는 중.
+ TargetA 비우는 중.
+ TargetA 채우는 중.
+ TargetA 채우는 중.
+ TargetA 비우는 중.
+ TargetA 채우는 중.
+ TargetA로부터 비료를 꺼내는 중.
+ 오물 제거 중.
+ 세탁기를 바라보는 중.
+ 푹 익히는 중.
+ 물 마시는 중.
+ TargetA로부터 물을 마시는 중.
+ TargetA 사용 중.
+ 노상방뇨 중.
+ TargetA 세탁 중.
+ 샤워 중.
+ TargetA로 샤워 중.
+ 목욕 중.
+ 손 씻는 중.
+ TargetA를 씻기는 중.
+ TargetA의 유체를 관리중.
+ 물통 채우는 중.
+ 요강 비우는 중.
+ TargetA의 막힌 곳 뚧는 중.
+ TargetA 쓰러트리는 중.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/Korean/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..73736c8
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,14 @@
+
+
+
+
+
+ 위생 탭
+ 구상 모드에서 위생 탭을 사용할 단축키 지정
+
+ 위생/기타 탭
+ 구상 모드에서 위생/기타 탭을 사용할 단축키 지정
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/Korean/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..46f06e6
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,14 @@
+
+
+
+ 배변
+ 정착민들의 배변으로 인한 하수가 수원지를 오염시키는 것을 방지하는 것은 매우 중요합니다. 질병을 예방하기 위해서, 생성된 오물을 관리하거나 적절한 하수 처리 시스템을 통해 위생수준을 유지하세요.
+
+ 위생
+ 정착민들의 행복과 건강을 위하여 깔끔한 상태를 유지하세요.
+
+ 갈증
+ 물은 대부분의 생명체에게 생리현상을 위하여 필수적입니다. 부족할 경우 정착민은 탈수로 인해 서서히 죽어갑니다.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/Korean/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..0e6e671
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,9 @@
+
+
+
+ 오물로부터 화학연료를 생산합니다.
+ 오물로부터 화학연료 무더기를 생산합니다.
+ 오물로부터 화학연료를 생산 중.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Korean/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..f79fff4
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,56 @@
+
+
+
+ 배관 연구
+ 물을 공급하고 배출하는 파이프, 배관설비, 저장탱크, 풍력펌프 및 기타 부속품을 연구합니다.
+
+ 전동 펌프
+ 지속적으로 동작하는 전동식 가압 물 펌프
+
+ 심층 지하수
+ 더 많은 지하수에 접근하기 위하여 깊은 우물을 팝니다.
+
+ 초대형 급수 시스템
+ 공장에서 쓸법한 엄청난 용량의 물 펌프 및 저장탱크를 연구합니다.
+
+ 파워 샤워
+ 강력한 수압 샤워기입니다. 샤워 시간을 반으로 줄이고 편안함을 제공합니다.
+
+ 스마트 비데
+ 더욱 편안한 스마트 좌식 변기입니다.평범한 변기의 절반만큼 물을 사용합니다.
+
+ 온수 욕조
+ 열수치료, 휴식, 쾌락을 동시에 제공하는 멋진 온수 욕조를 연구합니다.
+
+ 정화조
+ 하수를 모으고 적당한 정화능력을 가진 정화조를 연구합니다.
+
+ 퇴비 연구
+ 오물을 적절한 처리와 관리를 통하여 풍부한 영양의 비료로 만듭니다.
+
+ 물 여과기
+ 질병의 위험을 제거하는 상수 멸균 처리 시스템을 구축합니다.
+
+ 대형 정수 시설
+ 많은 양의 하수를 축적하고 신속하게 처리하는 대규모 하수도 처리 시스템입니다.
+
+ 세탁기
+ 유품 옷에 묻은 핏자국과 먼지를 말끔하게 세탁하는 세탁기 제작 방법을 연구합니다.
+
+ 중앙 난방 시스템
+ 나무, 가스 보일러와 온수 탱크 및 라디에이터를 연구합니다.
+
+ 전기식 난방 시스템
+ 자동 온도 조절장치와 전기식 보일러를 연구합니다.
+
+ 다중 분할식 온도제어
+ 연결된 실외기를 사용하여 에어컨 및 냉동고의 온도를 조절하는 다중 분할식 온도 제어 시스템입니다.
+
+ 농업용 스프링클러
+ 매일 아침 토질을 일시적으로 개선하는 농업 용수 스프링클러를 연구합니다.
+
+ 화재진압 스프링클러
+ 물을 뿌려 화재를 진압하는 스프링 클러를 연구합니다.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Korean/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..5c25c89
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+ Dub의 위생 모드
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/Korean/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..3fc50b5
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,9 @@
+
+
+
+ 공용 화장실
+ 개인 화장실
+ 공중 화장실
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/Korean/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..1ac8674
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,8 @@
+
+
+
+ 하수
+ 위생
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..384d0ef
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,19 @@
+
+
+
+
+
+ 배관
+ 상/하수를 운반할 수 있는 배관입니다.
+ 배관 (청사진)
+ 배관 (청사진)
+ 상/하수를 운반할 수 있는 배관입니다.
+
+ 에어컨 배관
+ 공기가 흐를 수 있는 배관입니다.
+ 에어컨 배관 (청사진)
+ 에어컨 배관 (청사진)
+ 공기가 흐를 수 있는 배관입니다.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..e66d91e
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,128 @@
+
+
+
+ 화장실 문
+ 정착민의 프라이버시를 위해 시선을 차단하는 얇은 문입니다. 단열이 되지 않으며 별개의 방으로 인식되지 않습니다.
+ 화장실 문 (청사진)
+ 화장실 문 (건설중)
+ 정착민의 프라이버시를 위해 시선을 차단하는 얇은 문입니다. 단열이 되지 않으며 별개의 방으로 인식되지 않습니다.
+
+
+
+
+ 변소
+ 배설물을 모으는 재래식 구덩이 입니다. 수동으로 비워합니다.
+ 변소 (청사진)
+ 변소 (청사진)
+ 변소 (건설중)
+ 배설물을 모으는 재래식 구덩이 입니다. 수동으로 비워합니다.
+
+ 간단한 우물
+ 지하수를 이용해 물을 채우는 우물입니다.
+ 간단한 우물 (청사진)
+ 간단한 우물 (건설중)
+ 지하수를 이용해 물을 채우는 우물입니다.
+
+ 물통
+ 정기적으로 깨끗한 물을 다시 채워야 하는 재래식 물통입니다. 저장된 물을 마시거나 몸을 씻을 수 있습니다.
+ 물통 (청사진)
+ 물통 (청사진)
+ 물통 (건설중)
+ 정기적으로 깨끗한 물을 다시 채워야 하는 재래식 물통입니다. 저장된 물을 마시거나 몸을 씻을 수 있습니다.
+
+ 배변판
+ 작은 애완 동물을 위한 배변 상자입니다.
+ 배변판 (청사진)
+ 배변판 (청사진)
+ 배변판 (건설중)
+ 작은 애완 동물을 위한 배변 상자입니다.
+
+ 소각장
+ 시체나 다른 쓰래기를 처리하기 위해 오물을 연료로 타오르는 구덩이입니다. 그로인해 소각장 주변에 오래 머무를 경우 질병의 위험이 있습니다.
+ 소각장 (청사진)
+ 소각장 (건설중)
+ 시체나 다른 쓰래기를 처리하기 위해 오물을 연료로 타오르는 구덩이입니다. 그로인해 소각장 주변에 오래 머무를 경우 질병의 위험이 있습니다.
+
+
+
+
+ 식수대
+ 물을 마시거나 간단히 씻을 수 있는 수도관 입니다.
+ 식수대 (청사진)
+ 식수대 (청사진)
+ 식수대 (건설중)
+ 물을 마시거나 간단히 씻을 수 있는 수도관 입니다.
+
+ 세면대
+ 화장실 이용 후 손을 씻기 위한 간단한 세면대입니다.
+ 세면대 (청사진)
+ 세면대 (청사진)
+ 세면대 (건설중)
+ 화장실 이용 후 손을 씻기 위한 간단한 세면대입니다.
+
+ 싱크대
+ 방의 청결도를 약간 올려주는 부엌 싱크대입니다.
+ 싱크대 (청사진)
+ 싱크대 (청사진)
+ 싱크대 (건설중)
+ 방의 청결도를 약간 올려주는 부엌 싱크대입니다.
+
+
+
+
+ 변기
+ 정착민의 대/소변을 처리하는데 사용되는 양변기입니다.
+ 변기 (청사진)
+ 변기 (청사진)
+ 변기 (건설중)
+ 정착민의 대/소변을 처리하는데 사용되는 양변기입니다.
+
+ 일반 변기보다 2배 효율적인 물 절전 시스템을 가지고 있습니다. 각종 기능 추가와 자동 탈취로 인해 매우 편리합니다.
+ 좋은 변기 (청사진)
+ 좋은 변기 (청사진)
+ 좋은 변기 (건설중)
+ 일반 변기보다 2배 효율적인 물 절전 시스템을 가지고 있습니다. 각종 기능 추가와 자동 탈취로 인해 매우 편리합니다.
+
+ 스마트 비데
+ 일반 변기보다 2배 효율적인 물 절전 시스템을 가지고 있습니다. 각종 기능 추가와 자동 탈취로 인해 매우 편리합니다.
+ 스마트 비데 (청사진)
+ 스마트 비데 (청사진)
+ 스마트 비데 (건설중)
+ 일반 변기보다 2배 효율적인 물 절전 시스템을 가지고 있습니다. 각종 기능 추가와 자동 탈취로 인해 매우 편리합니다.
+
+
+
+
+ 욕조
+ 사용에 오랜 시간이 걸리고 많은 물이 필요하지만 매우 편안합니다. 온수는 욕조 근처에 모닥불을 설치하거나 온수탱크의 물을 배관을 통해 끌어올 수 있습니다.\n\n하수 배출구가 필요없습니다.
+ 욕조 (청사진)
+ 욕조 (청사진)
+ 욕조 (건설중)
+ 사용에 오랜 시간이 걸리고 많은 물이 필요하지만 매우 편안합니다. 온수는 욕조 근처에 모닥불을 설치하거나 온수탱크의 물을 배관을 통해 끌어올 수 있습니다.\n\n하수 배출구가 필요없습니다.
+
+
+
+
+ 샤워기
+ 급수탑에서 물을 끌어와 사용할 수 있는 간단한 샤워장치입니다. 온수탱크를 이용할 수 있으며 하수 배출구가 필요 없습니다.
+ 샤워기 (청사진)
+ 샤워기 (청사진)
+ 샤워기 (건설중)
+ 급수탑에서 물을 끌어와 사용할 수 있는 간단한 샤워장치입니다. 온수탱크를 이용할 수 있으며 하수 배출구가 필요 없습니다.
+
+ 간단한 샤워기
+ 급수탑에서 물을 끌어와 사용할 수 있는 간단한 샤워장치입니다. 온수탱크를 이용할 수 있으며 하수 배출구가 필요 없습니다.
+ 간단한 샤워기 (청사진)
+ 간단한 샤워기 (청사진)
+ 간단한 샤워기 (건설중)
+ 급수탑에서 물을 끌어와 사용할 수 있는 간단한 샤워장치입니다. 온수탱크를 이용할 수 있으며 하수 배출구가 필요 없습니다.
+
+ 강력 샤워기
+ 필요할 때 마다 가열되는 온수 시스템을 가진, 직경 110mm의 대형 샤워장치. 전기를 이용해 4개의 물줄기가 강력한 수압으로 뿜어져 나오며, 뭉친 근육을 풀어주고 샤워속도는 두배가 됩니다!
+ 강력 샤워기 (청사진)
+ 강력 샤워기 (청사진)
+ 강력 샤워기 (건설중)
+ 필요할 때 마다 가열되는 온수 시스템을 가진, 직경 110mm의 대형 샤워장치. 전기를 이용해 4개의 물줄기가 강력한 수압으로 뿜어져 나오며, 뭉친 근육을 풀어주고 샤워속도는 두배가 됩니다!
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..185df37
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,88 @@
+
+
+
+
+
+ 온수 욕조
+ 열수치료, 근육이완, 쾌락을 동시에 제공하는 멋진 온수 욕조를 건설합니다. 온수가 부족할 시 스스로 가열되며 추가적인 하수 처리장치가 필요 없습니다.
+ 온수 욕조 (청사진)
+ 온수 욕조 (청사진)
+ 온수 욕조 (건설중)
+ 열수치료, 근육이완, 쾌락을 동시에 제공하는 멋진 온수 욕조를 건설합니다. 온수가 부족할 시 스스로 가열되며 추가적인 하수 처리장치가 필요 없습니다.
+
+ 세탁기
+ 유품 옷에 묻은 핏자국과 흙먼지를 말끔하게 세탁하는 세탁기입니다!
+ 세탁기 (청사진)
+ 세탁기 (청사진)
+ 세탁기 (건설중)
+ 유품 옷에 묻은 핏자국과 흙먼지를 말끔하게 세탁하는 세탁기입니다!
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..326a24c
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,81 @@
+
+
+
+
+
+ 현대식 우물
+ 펌프를 이용해 지하수를 끌어올 수 있도록 우물을 건설합니다. 범위 안쪽으로 오물이나 하수가 흘러들어가면 수질을 망치고 급수탑을 오염시킬 수 있습니다.
+ 현대식 우물 (청사진)
+ 현대식 우물 (건설중)
+ 펌프를 이용해 지하수를 끌어올 수 있도록 우물을 건설합니다. 범위 안쪽으로 오물이나 하수가 흘러들어가면 수질을 망치고 급수탑을 오염시킬 수 있습니다.
+
+ 심층 현대식 우물
+ 넓은 영역의 지하수에 접근할 수 있도록 우물을 매우 깊게 팝니다. 심층 우물은 오염에 영향을 받지 않습니다.
+ 심층 현대식 우물 (청사진)
+ 심층 현대식 우물 (건설중)
+ 넓은 영역의 지하수에 접근할 수 있도록 우물을 매우 깊게 팝니다. 심층 우물은 오염에 영향을 받지 않습니다.
+
+ 물탱크
+ 설비에서 사용될 물을 저장합니다. 저장된 물이 오염되면 배수해야합니다.
+ 물탱크 (청사진)
+ 물탱크 (청사진)
+ 물탱크 (건설중)
+ 설비에서 사용될 물을 저장합니다. 저장된 물이 오염되면 배수해야합니다.
+
+ 급수탑
+ 물을 저장하여 설비에 공급하는 급수탑입니다. 내부에 오염이 발생하면 안전을 위해 반드시 물을 방출해야합니다.
+ 급수탑 (청사진)
+ 급수탑 (건설중)
+ 물을 저장하여 설비에 공급하는 급수탑입니다. 내부에 오염이 발생하면 안전을 위해 반드시 물을 방출해야합니다.
+
+ 거대한 급수탑
+ 물을 저장하여 설비에 공급하는 거대한 급수탑입니다. 내부에 오염이 발생하면 안전을 위해 반드시 물을 방출해야합니다.
+ 거대한 급수탑 (청사진)
+ 거대한 급수탑 (건설중)
+ 물을 저장하여 설비에 공급하는 거대한 급수탑입니다. 내부에 오염이 발생하면 안전을 위해 반드시 물을 방출해야합니다.
+
+ 풍력 펌프
+ 수원지에서 물을 끌어올리는 펌프입니다. 하루 평균 3000 L를 운반합니다.
+ 풍력 펌프 (청사진)
+ 풍력 펌프 (건설중)
+ 수원지에서 물을 끌어올리는 펌프입니다. 하루 평균 3000 L를 운반합니다.
+
+ 전동 펌프
+ 전기를 사용하여 물을 끌어올리는 펌프입니다. 하루에 약 1500 L를 운반합니다.
+ 전동 펌프 (청사진)
+ 전동 펌프 (청사진)
+ 전동 펌프 (건설중)
+ 전기를 사용하여 물을 끌어올리는 펌프입니다. 하루에 약 1500 L를 운반합니다.
+
+ 초대형 펌프
+ 수원지로 부터 물을 끌어올리는 초대형 펌프입니다. 하루에 10,000 L를 운반합니다.
+ 초대형 펌프 (청사진)
+ 초대형 펌프 (건설중)
+ 수원지로 부터 물을 끌어올리는 초대형 펌프입니다. 하루에 10,000 L를 운반합니다.
+
+ 오물 배출구
+ 연결만 되어있다면 어디든 설치 가능한 오물 배출구 입니다. 오물은 지하수와 땅을 오염시키며 서서히 퍼져나갑니다. 물과 나무, 비를 통해 천천히 정화됩니다.
+ 오물 배출구 (청사진)
+ 오물 배출구 (건설중)
+ 연결만 되어있다면 어디든 설치 가능한 오물 배출구 입니다. 오물은 지하수와 땅을 오염시키며 서서히 퍼져나갑니다. 물과 나무, 비를 통해 천천히 정화됩니다.
+
+ 정화조
+ 조금씩 오물을 정화하는 장치입니다. 한계에 도달할 경우 하수처리 과정 없이 그대로 오물을 배출합니다.
+ 정화조 (청사진)
+ 정화조 (건설중)
+ 조금씩 오물을 정화하는 장치입니다. 한계에 도달할 경우 하수처리 과정 없이 그대로 오물을 배출합니다.
+
+ 대형 정수시설
+ 효과적으로 오물을 정화하는 장치입니다. 한계에 도달할 경우 하수처리 과정 없이 그대로 오물을 배출합니다.
+ 대형 정수시설 (청사진)
+ 대형 정수시설 (건설중)
+ 효과적으로 오물을 정화하는 장치입니다. 한계에 도달할 경우 하수처리 과정 없이 그대로 오물을 배출합니다.
+
+ 멸균 처리장치
+ 99.99%의 살균력을 자랑하는 장치입니다. 급수탑에 저장된 물을 여과하여 질병을 일으킬 수 있는 세균을 지속적으로 제거합니다.
+ 멸균 처리장치 (청사진)
+ 멸균 처리장치 (건설중)
+ 99.99%의 살균력을 자랑하는 장치입니다. 급수탑에 저장된 물을 여과하여 질병을 일으킬 수 있는 세균을 지속적으로 제거합니다.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..c109024
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,104 @@
+
+
+
+
+
+ 자동 온도 조절기
+ 전기 및 가스보일러를 제어하는 데 사용되는 자동 온도 조절 장치입니다. 하나 이상 설치할 수 있습니다.
+ 자동 온도 조절기 (청사진)
+ 자동 온도 조절기 (청사진)
+ 자동 온도 조절기 (건설중)
+ 전기 및 가스보일러를 제어하는 데 사용되는 자동 온도 조절 장치입니다. 하나 이상 설치할 수 있습니다.
+
+ 나무 보일러
+ 라디에이터나 온수탱크를 따듯하게 채우는 보일러입니다. 나무를 연료로 사용하며 2000U를 생산합니다.
+ 나무 보일러 (청사진)
+ 나무 보일러 (청사진)
+ 나무 보일러 (건설중)
+ 라디에이터나 온수탱크를 따듯하게 채우는 보일러입니다. 나무를 연료로 사용하며 2000U를 생산합니다.
+
+ 가스 보일러
+ 자동 온도 조절기로 제어되는 가스 보일러를 설치합니다. 온수를 만들기 위해 화학연료를 사용하며 2000U를 생산합니다.
+ 가스 보일러 (청사진)
+ 가스 보일러 (청사진)
+ 가스 보일러 (건설중)
+ 자동 온도 조절기로 제어되는 가스 보일러를 설치합니다. 온수를 만들기 위해 화학연료를 사용하며 2000U를 생산합니다.
+
+ 전기 보일러
+ 가열할 온수 용량을 마음대로 정할 수 있는 전기식 보일러 장치입니다. 자동 온도 조절기를 통해 자동으로 제어되거나 가용 전력설정을 통해 직접 온도를 제어할 수 있습니다!
+ 전기 보일러 (청사진)
+ 전기 보일러 (청사진)
+ 전기 보일러 (건설중)
+ 가열할 온수 용량을 마음대로 정할 수 있는 전기식 보일러 장치입니다. 자동 온도 조절기를 통해 자동으로 제어되거나 가용 전력설정을 통해 직접 온도를 제어할 수 있습니다!
+
+ 태양광 집중장치
+ 물을 데우기 위하여 태양광을 사용합니다. 주변 온도와 광량에 따라 0-2000U까지 온수 용량이 변동됩니다.
+ 태양광 집중장치 (청사진)
+ 태양광 집중장치 (건설중)
+ 물을 데우기 위하여 태양광을 사용합니다. 주변 온도와 광량에 따라 0-2000U까지 온수 용량이 변동됩니다.
+
+ 온수 탱크
+ 연결된 난방 장치에 사용되거나, 샤워 및 목욕에 쓰일 온수를 저장하는 보온탱크입니다.
+ 온수 탱크 (청사진)
+ 온수 탱크 (청사진)
+ 온수 탱크 (건설중)
+ 연결된 난방 장치에 사용되거나, 샤워 및 목욕에 쓰일 온수를 저장하는 보온탱크입니다.
+
+ 라디에이터
+ 온수를 이용해 방을 서서히 데웁니다. 적절한 사용을 위해 100U를 안정적으로 공급해야합니다.
+ 라디에이터 (청사진)
+
+ 라디에이터
+ 온수를 이용해 방을 서서히 데웁니다. 적절한 사용을 위해 100U를 안정적으로 공급해야합니다.
+ 라디에이터 (청사진)
+ 라디에이터 (청사진)
+ 라디에이터 (건설중)
+ 온수를 이용해 방을 서서히 데웁니다. 적절한 사용을 위해 100U를 안정적으로 공급해야합니다.
+
+ 대형 라디에이터
+ 3배 더 강력해진 라디에이터입니다. 300U를 사용하며 큰 방에 적합합니다.
+ 대형 라디에이터 (청사진)
+ Large 라디에이터 (청사진)
+ 대형 라디에이터 (건설중)
+ 3배 더 강력해진 라디에이터입니다. 300U를 사용하며 큰 방에 적합합니다.
+
+
+
+
+ 설치형 천장 선풍기 2x2
+ 조명이 포함된 공기 순환 장치입니다. 방의 온도를 낮춥니다.
+ 설치형 천장 선풍기 2x2 (청사진)
+ 설치형 천장 선풍기 2x2 (청사진)
+ 설치형 천장 선풍기 2x2 (건설중)
+ 조명이 포함된 공기 순환 장치입니다. 방의 온도를 낮춥니다.
+
+ 설치형 천장 선풍기 1x1
+ 조명이 포함된 공기 순환 장치입니다. 방의 온도를 낮춥니다.
+ 설치형 천장 선풍기 1x1 (청사진)
+ 천장 선풍기 1x1 (청사진)
+ 설치형 천장 선풍기 1x1 (건설중)
+ 조명이 포함된 공기 순환 장치입니다. 방의 온도를 낮춥니다.
+
+ 실외기
+ 실외에 배치되어 배관을 통해 내부로 공기를 전달하는 장비입니다. 전력 조절을 통해 100에서 1000까지 냉각량 공급을 조절할 수 있습니다.
+ 실외기 (청사진)
+ 실외기 (청사진)
+ 실외기 (건설중)
+ 실외에 배치되어 배관을 통해 내부로 공기를 전달하는 장비입니다. 전력 조절을 통해 100에서 1000까지 냉각량 공급을 조절할 수 있습니다.
+
+ 실내용 에어컨
+ 실외기를 통해 유입된 공기를 차갑게 만들어 배출하는 실내용 에어컨입니다. 100U의 냉각량을 사용합니다.
+ 실내용 에어컨 (청사진)
+ 실내용 에어컨 (청사진)
+ 실내용 에어컨 (건설중)
+ 실외기를 통해 유입된 공기를 차갑게 만들어 배출하는 실내용 에어컨입니다. 100U의 냉각량을 사용합니다.
+
+ 워크인 냉각기
+ 실외기를 통해 유입된 공기를 차갑게 만들어 배출하는 냉동 창고용 장비입니다. 벽으로 취급되며 300U의 냉각량을 사용합니다.
+ 워크인 냉각기 (청사진)
+ 워크인 냉각기 (청사진)
+ 워크인 냉각기 (건설중)
+ 실외기를 통해 유입된 공기를 차갑게 만들어 배출하는 냉동 창고용 장비입니다. 벽으로 취급되며 300U의 냉각량을 사용합니다.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..faff3db
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,42 @@
+
+
+
+
+
+ 농업용 스프링클러
+ 매일 아침 주변에 물을 뿌려 토질을 일시적으로 개선합니다. 유지를 위해 많은 양의 물이 필요합니다.
+ 농업용 스프링클러 (청사진)
+ 농업용 스프링클러 (청사진)
+ 농업용 스프링클러 (건설중)
+ 매일 아침 주변에 물을 뿌려 토질을 일시적으로 개선합니다. 유지를 위해 많은 양의 물이 필요합니다.
+
+ 화재 진압 스프링클러
+ 불에 닿거나 방의 온도가 높을시 신속하게 물을 분사합니다.
+ 스프링클러 작동
+ 스프링클러 (청사진)
+ 스프링클러 (청사진)
+ 스프링클러 (건설중)
+ 불에 닿거나 방의 온도가 높을시 신속하게 물을 분사합니다.
+
+ 밸브
+ 배관 개폐에 사용되는 밸브입니다.
+ 밸브 (청사진)
+ 밸브 (청사진)
+ 밸브 (건설중)
+ 배관 개폐에 사용되는 밸브입니다.
+
+ 퇴비 숙성고
+ 오물을 숙성하여 비료로 만드는 숙성고입니다. 비료를 사용해 토질을 개선할 수 있습니다.
+ 퇴비 숙성고 (청사진)
+ 퇴비 숙성고 (청사진)
+ 퇴비 숙성고 (건설중)
+ 오물을 숙성하여 비료로 만드는 숙성고입니다. 비료를 사용해 토질을 개선할 수 있습니다.
+
+ 토양 개간
+ 파낼 수 있는 지형에 비료를 뿌려 토질을 개선합니다. 1년간 효과가 지속됩니다.
+ 개간 (청사진)
+ 개간 (건설중)
+ 파낼 수 있는 지형에 비료를 뿌려 토질을 개선합니다. 1년간 효과가 지속됩니다.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/Korean/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..e418584
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,11 @@
+
+
+
+ 소변
+ 소변 갈긴 흔적
+
+ 대변
+ 오물
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/Korean/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..dce5a93
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,14 @@
+
+
+
+ 요강
+ 거동이 불가한 환자나 죄수의 대소변을 해결하기 위해 사용하는 요강입니다.
+
+ 비료
+ 오물을 숙성하여 만듭니다.
+
+ 오물
+ 태우거나 쏟아버릴 수 있고, 비료로 숙성시킬 수도 있는 오물통입니다.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/Korean/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..1f6d6ba
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/Korean/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..9a38bb3
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,55 @@
+
+
+
+ 소변을 마심
+ 내 오줌을 마셨어.
+
+ 창피함
+ 누군가 내가 목욕하는 것을 봤어. 너무 창피하다.
+
+ 창피함
+ 용변 중에 화장실 문이 벌컥 열리고, 누군가 들어왔어!
+
+ 더러워짐
+ 더 이상 견딜수 없어서 흙바닥에 몸을 던졌어.
+
+ 만족스러운 샤워
+ 따듯한 물로 끝내주는 샤워를 했어.
+
+ 만족스러운 목욕
+ 따듯한 물로 끝내주는 목욕을 했어.
+
+ 냉수 목욕
+ 시원한 냉수로 끝내주는 목욕을 했어.
+
+ 냉수 샤워
+ 시원한 냉수로 끝내주는 샤워를 했어.
+
+ 냉수
+ 온수는 대체 어디간거야?
+
+ 뭉친 근육을 풀었음
+ 하... 훨씬 낫군
+
+ 노상방뇨
+ 뻥 뚫린 곳에서 쪼그려앉아 용변을 해결해야 했어.
+
+ 끔찍한 화장실
+ 내 화장실은 보기만해도 끔찍해.
+ 적당한 화장실
+ 내 화장실은 흥미로워, 꽤나 좋아.
+ 약간 인상적인 욕실
+ 내 화장실은 약간 인상적이야. 꽤 좋아.
+ 인상적인 화장실
+ 내 화장실은 누가봐도 인상적이야! 너무 좋아!
+ 매우 인상적인 화장실
+ 내 화장실 최고야!
+ 극도로 인상적인 화장실
+ 내 화장실 최고야!
+ 믿기지 않게 인상적인 화장실
+ 내 화장실 최고야!
+ 놀랄만큼 인상적인 화장실
+ 내 욕실은 상상할 수 없을 만큼 아름다워. 끝내준다!
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/Korean/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..872a950
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,19 @@
+
+
+
+ 매우 더러움
+ 내몸에서 똥통 속을 헤엄친 것 같은 냄새가 나
+ 더러움
+ 약간 찝찝한데
+ 깨끗함
+ 난 깨끗해
+ 흠잡을 곳 없이 깨끗함
+ 어딜봐도 흠잡을 곳이 없어!
+
+ 터질 것 같음
+ 방광이 당장이라도 터질 것 같아! 지금.. 당장..!
+ 화장실이 가고 싶음
+ 화장실에 가야겠어.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/Korean/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..906b2a2
--- /dev/null
+++ b/1.5/Languages/Korean/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,79 @@
+
+
+
+ 소각장 태우기
+ 태우기
+ 여기서 태우기
+
+ 삽으로 오물을 통안에 옮겨 담습니다.
+ 오물을 제거합니다.
+ 오물을 제거 중.
+
+ 세탁물 꺼내기
+ 세탁물 꺼내기
+ 세탁물 꺼내는 중.
+
+
+
+
+ 세탁물 넣기
+ 세탁물 넣기
+ 세탁기에 옷을 채워 넣는 중.
+
+ 숙성고에서 퇴비를 꺼내기
+ 퇴비 꺼내기
+ 숙성고에서 퇴비를 꺼내는 중.
+
+ 숙성고 채우기
+ 채우기
+ 오물 채워 넣는 중.
+
+ 정화조 비우기
+ 비우기
+ 비우는 중.
+
+ 변소 비우기
+ 비우기
+ 비우는 중.
+
+ 배관 청소
+ 배관 청소
+ 배관 청소 중.
+
+ 유체 관리
+ 유체 관리
+ 유체 관리 중.
+
+ 환자 씻기기
+ 씻기기
+ 환자 씻기는 중.
+
+ 환자 요강 비우기
+ 비우기
+ 요강 비우는 중.
+
+ 요강 비우기
+ 비우기
+ 요강 비우는 중.
+
+ 물통을 다시 채우기
+ 다시 채우기
+ 물통을 다시 채우는 중.
+
+ 오물 따르기
+ 오물 따르기
+ 오물 따르는 중.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Korean/Keyed/DubsHygiene.xml b/1.5/Languages/Korean/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..6ecc762
--- /dev/null
+++ b/1.5/Languages/Korean/Keyed/DubsHygiene.xml
@@ -0,0 +1,199 @@
+
+
+
+
+ 배관 제거
+ 해체할 파이프 유형 지정
+ 오물 제거
+ 토양에서 오물을 제거하여 통에 담습니다.
+ 배관 제거
+ 에어컨 제거
+ 기구 도색
+ 욕실 기구나 라디에이터를 도색합니다.
+ 도색
+ 도색 제거
+
+
+
+
+ 사용 금지됨
+ {0} 전용
+ 죄수 전용
+ 오물 배출구 막힘
+ 배출구 주변에 오물이 쌓여 배관을 막고있습니다.\ n \ n 오물 배출구를 추가하거나 정화조를 건설하여 하수 용량을 늘리세요.
+ 물 온도 낮음
+ 이 물탱크의 수온이 매우 낮아서 온수를 기대했던 정착민들은 실망할것입니다.\n\n보일러를 켜거나, 온수탱크를 추가하여 온수 용량을 늘리세요.
+ 우물은 반드시 지하수 위에 배치되어야 합니다.
+ 제한을 위해서는 반드시 실내에 있어야 합니다.
+
+ 지정을 위해서는 배변 욕구가 필요합니다. {0} 는 배변 욕구를 가지고 있지 않습니다.
+
+ 퇴비 원료 없음
+ 물 용량 부족
+ 오물 용량 부족
+ 배관 필요
+ 사용 금지됨
+
+ 너무 뜨거움: x{0}
+ 비오는 중: x{0}
+ 땀 흘림: x{0}
+ 방: x{0}
+ 종합: x{0}
+ 더러운 손 - 질병 위험
+ 오염됨 - 질병 위험
+
+ 배관 막힘
+ 배관이 막혔습니다. 정착민이 직접 와서 뚫어야 합니다.
+
+ 오염된 물
+ 수원지가 오염되어 질병의 위험이 있습니다.
+ 물탱크 오염
+ 물탱크가 오염되어 정착민의 건강에 심각한 영향을 초래할 수 있습니다!\n\n탱크 내부의 오염된 물을 흘려보내거나, 정수시설을 건설하세요.
+
+ 더러운 물과 나쁜 위생때문에 {0} (은)는 {1} 에 걸렸습니다.
+ 물이 더럽거나 손을 씻지 않아 {0} (은)는 {1} 에 걸렸습니다.
+
+
+ 성별 제한 변경
+ 의료용
+ 이 기구를 환자 전용으로 지정합니다.
+ 환자 전용
+ 공격 헬기
+ 남/여 공용
+ 침대와 연결
+ 이 기구를 가까운 침대를 지정하여, 사용자를 지정합니다.
+ 침대와 연결 해제
+ 침대와의 연결을 해제하여, 사용 제한을 제거합니다.
+
+
+
+ 물 온도: {0}
+ 연결된 총 가열 용량: {0} U ({1})
+ 연결된 총 냉각 용량: {0} U ({1})
+ 열 사용량: {0} U
+ 냉기 사용량: {0} U
+ 열 사용량 / 전력: {0} U / {1} W
+ 냉기 사용량 / 전력: {0} U / {1} W
+ 효율: {0}
+ 효율: {0} 과열됨
+ 최소 온도: {0}
+ 전력 감소
+ 난방량을 줄입니다.
+ 전력 증가
+ 난방량을 늘입니다.
+ 온수 용량: {0}
+ 자동 온도 조절장치 무시
+ 보일러를 강제로 계속 작동시킵니다.
+ 배기구 주변은 비어있어야 합니다!
+ 효율: {0} 너무 차가움
+ 효율: {0}
+ 라디에이터 온도: {0}
+
+ 자동 온도 조절 장치 사용
+ 탱크의 수온을 자동 온도 조절 장치로 제어합니다.
+
+
+ 손 씻기
+ 씻기
+ 사용
+ 사용량 = {0}
+ 반드시 배관이 연결되어야 합니다.
+ 배관 막힘
+ 배수로를 연결하거나 변소를 비우세요.
+ 세탁중…
+ 세탁완료
+ 내용물: {0}/{1}
+ 세탁 필요한 의류 없음
+ 빈 공간 없음
+
+
+ 마시기
+ 밸브 개폐
+ 밸브를 열거나 닫습니다.
+ 밸브 잠김
+
+ 일일 펌프 용량: {0} L/day
+ 지하수 용량: {0} L/day
+ 1일 펌프 용량/지하수 용량: {0}/{1} L/day ({2})
+
+ 저장된 물: {0} L
+ 저장된 물 합계: {0} L
+
+ 오염도: {0}
+
+ 범위 감소
+ 범위 증가
+ 멸균되지 않음 - 약간의 질병 위험
+ 오염됨 - 높은 질병 위험!
+ 멸균됨 - 안전함
+
+ 배수
+ 저장된 물을 방출하여 물탱크의 오염을 제거합니다.
+
+ 물의 가치: {0} for {1}L
+ 물
+
+
+ 배수
+ 통으로 옮겨 담을 오물 수위를 정합니다.
+ 정화 중: {0} L/d 내용물: {1} L ({2})
+ 배수 하지 않음
+ {0} %에 오물을 방출함.
+
+ 구덩이: {0}
+ 구덩이가 가득 찼습니다. 비워야합니다!
+ 발로 차기
+ 오물통 속 내용물을 땅으로 쏟아버립니다.
+
+
+ 퇴비가 들어있음 {0}/{1}
+ 오물이 들어있음 {0}/{1}
+ 퇴비
+ 퇴비 숙성중 {0} ({1})
+ 이상적인 퇴비 숙성 온도 벗어남
+ 이상적인 퇴비 숙성 온도
+
+
+
+
+ 적용을 위하여 메인 메뉴로 나가기
+ Rimefeller 연동
+ Rimefeller의 crackers 와 refiners 에 물을 사용하는 것을 활성화합니다.
+ Rimatomics 연동
+ Rimatomics에서, 냉각탑에 물을 사용하는 것을 활성화합니다.
+ 신체 유형이나 종족, 활성화된 특성에 따라 수동으로 욕구를 비활성화 합니다.
+ 욕구 필터 상세 설정
+ 배변 욕구 비활성화
+ 위생 욕구 비활성화
+ 욕구 설정
+ 활성화를 위한 시간
+ 죄수
+ 죄수에게 이 욕구를 활성화 할까요?
+ 손님
+ 손님에게 이 욕구를 활성화 할까요?
+ 사생활 보호 활성화
+ 정착민들이 화장실이나 욕조를 이용할때 서로 사생활을 지키도록 할까요?
+ 냉각 효율
+ 에어컨에 높은 온도로 인한 현실적인 냉각 효율 감소를 적용할까요?
+
+ 정착민
+ 위생 관련 욕구를 모두 비활성화합니다. 다른 옵션보다 우선됩니다.
+
+ 실험적 기능
+ 애완동물 배변
+ 애완동물에게 배변 욕구를 부여할까요?
+ 야생동물 배변
+ 야생동물에게 배변 욕구를 부여할까요?
+ 갈증
+ 정착민들이 배변 욕구와 함께 기본적인 갈증을 느끼게 할까요?
+ 비료 보이기
+ 비료 그리드를 볼수 있도록 지정할까요?
+ 추가된 종족 욕구 활성화
+ 욕구를 비 인간형 정착민에게 부여합니다. 설정을 덮어 씀으로서 특정 종을 비활성화 할 수 있습니다.
+ 씻는 동안 옷 벗기
+ 몸을 씻는 동안 옷을 벗도록 설정합니다. 모드 충돌이 일어날 경우 비활성화가 권장됩니다.
+
+ Dub의 페인트샵
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/Polish/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..16e1596
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,8 @@
+
+
+
+ Higiena
+ Przedmioty dla higieny kolonistów.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/Polish/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..be54811
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,195 @@
+
+
+
+ Widoczność rurociągu
+ Ukryty
+ Ukryty pod podłogą
+ Zawsze widoczny
+
+ Wskaźnik potrzeb higienicznych
+ Oszustwo
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Wskaźnik zapotrzebowania pęcherza moczowego
+ Oszustwo
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Rozmiar spłuczki
+ Oszustwo
+ 25%
+ 50%
+ 100%
+ 150%
+ 200%
+ 250%
+
+ Wskaźnik pragnienie
+ Oszustwo
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Szansa na zanieczyszczenie
+ Oszustwo
+ 10%
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 175%
+ 200%
+
+ Wydajność pompy wodnej
+ Oszustwo
+ 200%
+ 150%
+ 100%
+ 75%
+ 50%
+ 25%
+
+ Zużycie ciepłej wody
+ Oszustwo
+ 50%
+ 75%
+ 100%
+ 125%
+ 150%
+ 200%
+
+ Limit ścieków na komórkę
+ Oszustwo
+ 400%
+ 200%
+ 100%
+ 80%
+ 60%
+ 20%
+
+ Wskaźnik oczyszczania ścieków
+ Oszustwo
+ 300%
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+ 0%
+
+ Stopień oczyszczania ścieków
+ Oszustwo
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+
+ Siła nawadniania
+ Oszustwo
+ 240%
+ 220%
+ 200%
+ 180%
+ 160%
+ 140%
+ 120%
+ 110%
+
+ Siła nawozu
+ Oszustwo
+ 160%
+ 140%
+ 120%
+ 110%
+ 108%
+ 106%
+ 104%
+ 102%
+
+ Żyzność terenu
+ Oszustwo
+ 180%
+ 140%
+ 120%
+ 110%
+ 100%
+ 90%
+ 80%
+ 60%
+ 40%
+ 20%
+
+ Żywotność nawozów
+ cheat
+ 240 days (3 years)
+ 180 days
+ 120 days (2 years)
+ 80 days
+ 60 days (1 year)
+ 40 days
+ 30 days
+ 20 days
+ 10 days
+ 1 day
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml b/1.5/Languages/Polish/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..cdbb3fa
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+ kąpiel z TargetA
+ kąpiel
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml b/1.5/Languages/Polish/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
new file mode 100644
index 0000000..9659e1e
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
@@ -0,0 +1,8 @@
+
+
+
+ pływanie
+ relaks
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/Polish/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..b75c83a
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,42 @@
+
+
+
+ mycie
+ mycie
+ mycie
+
+ niewłaściwa higiena
+ Niewłaściwa higiena zwiększa ryzyko zachorowań i wpływa na interakcje społeczne.
+ umiarkowana
+ poważna
+ ekstremalna
+
+ biegunka
+ Biegunka to luźne, wodniste stolce. Znana również jako przeczyszczenie.
+ lekka
+ zaawansowana
+ poważna
+
+ czerwonka
+ Czerwonka jest rodzajem zapalenia żołądka i jelit, które powoduje biegunkę z krwią.
+ drobna
+ zaawansowana
+ ekstremalna
+
+ cholera
+ Cholera jest chorobą zakaźną, która powoduje ciężką wodnistą biegunkę, która może prowadzić do odwodnienia, a nawet śmierci, jeśli jest nie leczona.
+ drobna
+ zaawansowana
+ poważna
+ ekstremalna
+
+ odwodnienie
+ Odwodnienie jest stanem, który może wystąpić, gdy utrata płynów ustrojowych, głównie wody, przekracza ilość, która jest przyjmowana.
+ trywialne
+ drobne
+ umiarkowane
+ poważne
+ ekstremalne
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Polish/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..589b6d6
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,13 @@
+
+
+
+ bioniczny pęcherz moczowy
+ Zainstaluj bioniczny pęcherz moczowy.
+ bioniczny pęcherz moczowy
+
+ wzmacniacz higieny
+ Zainstaluj element zwiększający higienę.
+ wzmacniacz higieny
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/Polish/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..788b409
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,42 @@
+
+
+
+ aktywacja TargetA
+ opróżnianie TargetA
+ opróżnianie TargetA
+
+
+
+
+ ładowanie TargetA
+ rozładowywanie TargetA
+ napełnianie TargetA
+ usuwanie kompostu z TargetA
+ odprowadzanie ścieków
+ oglądanie cyklu wirowania
+ picie wody
+ picie wody z TargetA
+ napełnianie butelki z wodą z TargetA
+ składowanie wody z TargetA
+ używanie TargetA
+ wypróżnianie się na otwartej przestrzeni
+ mycie w TargetA
+ mycie
+ mycie rąk
+ mycie TargetA
+ doprowadzenie wody do TargetB
+ napełnianie wanny do mycia
+ uzupełnianie wody
+ cleaning up bed pan
+ odblokowanie zatkanego TargetA
+ przechylanie TargetA
+ opróżnianie TargetA
+ nawożenie gleby
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/Polish/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..870fc67
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,7 @@
+
+
+
+ hydroterapia
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/Polish/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..abcf103
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Zakładka Higiena
+ Przypisania klawiszy dla sekcji "Higiena" w menu Architekt
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/Polish/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..5419840
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,20 @@
+
+
+
+ pęcherz
+ Aby zapobiec ryzyku zachorowania, ważne jest utrzymanie dobrego poziomu sanitarnego poprzez usuwanie lub oczyszczanie odpadów oraz zapobieganie zanieczyszczeniu wody ściekami.
+
+
+
+
+ higiena
+ Dobra higiena osobista jest ważna dla zmniejszenia ryzyka chorób i utrzymania kolonistów w szczęściu i zdrowiu.
+
+
+
+
+ pragnienie
+ Woda jest niezbędna do wielu procesów fizjologicznych życia. Jeśli jej ilość osiągnie zero, stworzenie będzie powoli umierać z odwodnienia..
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Polish/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..66ac86a
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,13 @@
+
+
+
+ zainstaluj bioniczny pęcherz
+ Zainstaluj bioniczny pęcherz.
+ Instaluje bioniczny pęcherz.
+
+ zainstaluj wzmacniacz higieny
+ Zainstaluj wzmacniacz higieny.
+ Instaluje wzmacniacz higieny.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/Polish/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..b379693
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,9 @@
+
+
+
+ wytwarzać paliwo chemiczne z kału
+ Wytwórz paliwo chemiczne z kału.
+ Wytwarza paliwo chemiczne z kału
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Polish/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..c066cd5
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,65 @@
+
+
+
+ kompostowanie osadów ściekowych
+ Po odpowiednim oczyszczeniu i przetworzeniu osady ściekowe stają się biosolidami, które w niewielkim stopniu zwiększają żyzność terenu. Przydatne w trudnych warunkach, gdzie przestrzeń do uprawy jest ograniczona. Biosolidy dają również duży wzrost żyzności gleby, który w połączeniu z irygacją może uczynić ją żyzną.
+
+ klimatyzacja typu multi-split
+ Budowa systemów klimatyzacji typu multi-split z jednostkami zewnętrznymi połączonymi rurami z jednostkami wewnętrznymi i zamrażarkami.
+
+ hydraulika
+ Używanie rur, instalacji hydraulicznych, zbiorników magazynowych, pomp wiatrowych i innych urządzeń do dostarczania i odprowadzania wody i ścieków.
+
+ ogrzewanie
+ Budować kotły na drewno, które mogą być używane do ogrzewania pomieszczeń i mogą być umieszczone obok łaźni w celu podgrzewania wody do kąpieli.
+
+ centralne ogrzewanie
+ Budowa systemów centralnego ogrzewania z grzejnikami, zbiornikami ciepłej wody, kotłami i termostatami.
+
+ nowoczesna armatura łazienkowa
+ Zbuduj armaturę łazienkową w nowoczesnym stylu, taką jak toalety i prysznice.
+
+ elektryczna pompa
+ Napędzane pompy wodne do ciągłego pompowania wody pod ciśnieniem.
+
+ natryski elektryczne
+ Zbuduj prysznice o dużej mocy, które skracają czas kąpieli o połowę i poprawiają komfort..
+
+ inteligentne toalety
+ Zbuduj inteligentne toalety, które są dwa razy bardziej oszczędne w zużyciu wody niż standardowe i zapewniają większy komfort.
+
+ gorące kąpieliska
+ Budować jacuzzi, które mogą być wykorzystywane do hydroterapii, relaksu i przyjemności.
+
+ pompy na skalę przemysłową
+ Budowa pomp wodnych i zbiorników magazynowych na skalę przemysłową.
+
+ studnie głębinowe
+ Wiercenie głębokich studni w celu uzyskania dostępu do znacznie większego obszaru wód gruntowych.
+
+ pralki
+ Zbuduj pralki, które mogą prać ubrania tak dobrze, że nie można nawet powiedzieć, że ktoś umarł nosząc je!
+
+ filtracja wody
+ Buduj systemy filtracji wody, które uzdatniają dostarczaną wodę, eliminując ryzyko chorób.
+
+ Higiena Bioniki
+ Zaprojektuj bioniki, które pomagają w przetwarzaniu odpadów cielesnych i utrzymaniu higieny osobistej.
+
+ szambo
+ Wybudować szamba, które gromadzą ścieki i zapewniają ich umiarkowane oczyszczanie.
+
+ oczyszczanie ścieków
+ Budować duże systemy oczyszczania ścieków, które gromadzą duże ilości ścieków i zapewniają szybkie ich oczyszczanie.
+
+ baseny
+ Budowa basenów.
+
+ irygacja
+ Zbuduj zraszacze, które mogą nawadniać glebę w celu poprawy jej żyzności.
+
+ gaszenie pożarów
+ Zbudować tryskacze, które tłumią pożary strumieniem wody.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Polish/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..db6385b
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+ Dubs Bad Hygiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/Polish/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..cc6fb73
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,8 @@
+
+
+
+ łazienka publiczna
+ łazienka prywatna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/Polish/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..9fd53fc
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,14 @@
+
+
+
+ współczynnik wzrostu pragnienia
+ Mnożnik określający, jak szybko stworzenie staje się spragnione.
+
+ współczynnik spadku higieny
+ Mnożnik określający jak szybko spada poziom higieny stworzenia.
+
+ współczynnik potrzeby
+ Mnożnik określający jak szybko spada poziom pęcherza stworzenia.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/Polish/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..40dd48d
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,77 @@
+
+
+
+
+
+ woda w basenie
+ woda
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/Polish/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..a57b6a0
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,8 @@
+
+
+
+ odpady
+ higiena
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..5ec71ae
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,26 @@
+
+
+
+
+
+ hydraulika
+ Instalacja wodno-kanalizacyjna do podłączania urządzeń hydraulicznych.
+ hydraulika (blueprint)
+ hydraulika (budowa)
+ Instalacja wodno-kanalizacyjna do podłączania urządzeń hydraulicznych.
+
+ zawór hydrauliczny
+ Otwiera lub zamyka połączenia między rurami.
+ zawór hydrauliczny (blueprint)
+ zawór hydrauliczny (blueprint)
+ zawór hydrauliczny (budowa)
+ Otwiera lub zamyka połączenia między rurami.
+
+ przewód klimatyzacji
+ Rura do podłączenia jednostek klimatyzacyjnych.
+ przewód klimatyzacji (blueprint)
+ przewód klimatyzacji (budowa)
+ Rura do podłączenia jednostek klimatyzacyjnych.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..02051f8
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,135 @@
+
+
+
+ drzwi łazienkowe
+ Cienkie drzwi, które blokują jedynie pole widzenia osobom korzystającym z armatury łazienkowej. Nie tworzą nowych pomieszczeń ani nie zapobiegają utracie ciepła.
+ drzwi łazienkowe (blueprint)
+ drzwi łazienkowe (building)
+ Cienkie drzwi, które blokują jedynie pole widzenia osobom korzystającym z armatury łazienkowej. Nie tworzą nowych pomieszczeń ani nie zapobiegają utracie ciepła.
+
+
+
+
+ latryna
+ Latryna, która gromadzi odchody w otworze w ziemi. Musi być opróżniana ręcznie lub może być podłączona do kanalizacji. \n14L na użycie
+ latryna (blueprint)
+ latryna (blueprint)
+ latryna (building)
+ Latryna, która gromadzi odchody w otworze w ziemi. Musi być opróżniana ręcznie lub może być podłączona do kanalizacji. \n14L na użycie
+
+ prymitywna studnia
+ Dostęp do wody gruntowej. Woda musi być doprowadzona do zbiornika wodnego, zanim będzie mogła być użyta do mycia lub picia.
+ prymitywna studnia (blueprint)
+ prymitywna studnia (building)
+ Dostęp do wody gruntowej. Woda musi być doprowadzona do zbiornika wodnego, zanim będzie mogła być użyta do mycia lub picia.
+
+ wanna z wodą
+ Wanna z wodą używana do higieny osobistej. Musi być regularnie uzupełniana świeżą wodą, napełnia się ją również wodą deszczową. Może być również używana do picia, jeśli włączone jest pragnienie.
+ wanna z wodą (blueprint)
+ wanna z wodą (blueprint)
+ wanna z wodą (building)
+ Wanna z wodą używana do higieny osobistej. Musi być regularnie uzupełniana świeżą wodą, napełnia się ją również wodą deszczową. Może być również używana do picia, jeśli włączone jest pragnienie.
+
+ Koryto wodne
+ Koryto z wodą używaną przez zwierzęta, skrzynka serwisowa z zaworem kulowym automatycznie uzupełnia wodę, gdy jej poziom jest niski, uzupełnia również podczas deszczu.
+ Koryto wodne (blueprint)
+ Koryto wodne (blueprint)
+ Koryto wodne (building)
+ Koryto z wodą używaną przez zwierzęta, skrzynka serwisowa z zaworem kulowym automatycznie uzupełnia wodę, gdy jej poziom jest niski, uzupełnia również podczas deszczu.
+
+ kuweta
+ Kryta skrzynka do zbierania kału i moczu dla małych zwierząt.
+ kuweta (blueprint)
+ kuweta (blueprint)
+ kuweta (building)
+ Kryta skrzynka do zbierania kału i moczu dla małych zwierząt.
+
+ dół fermentacyjny
+ Usuwanie osadów kałowych poprzez spalanie ich jako paliwa. Może być również używany do pozbywania się zwłok lub innych detrytusów. Koloniści mogą zachorować, jeśli zbyt długo przebywają w pobliżu palących się odpadów.
+ dół fermentacyjny (blueprint)
+ dół fermentacyjny (building)
+ Usuwanie osadów kałowych poprzez spalanie ich jako paliwa. Może być również używany do pozbywania się zwłok lub innych detrytusów. Koloniści mogą zachorować, jeśli zbyt długo przebywają w pobliżu palących się odpadów.
+
+
+
+
+ fontanna
+ Fontanna z wodą używana do picia i mycia.
+ fontanna (blueprint)
+ fontanna (blueprint)
+ fontanna (building)
+ Fontanna z wodą używana do picia i mycia..
+
+ umywalka
+ Czysta i prosta umywalka łazienkowa do utrzymania rąk w czystości po skorzystaniu z toalety.
+ umywalka (blueprint)
+ umywalka (blueprint)
+ umywalka (building)
+ Czysta i prosta umywalka łazienkowa do utrzymania rąk w czystości po skorzystaniu z toalety.
+
+ zlew kuchenny
+ Wszystko oprócz zlewu kuchennego. Zwiększa czystość pomieszczenia.
+ zlew kuchenny (blueprint)
+ zlew kuchenny (blueprint)
+ kitchen sink (building)
+ >Wszystko oprócz zlewu kuchennego. Zwiększa czystość pomieszczenia.
+
+
+
+
+ toaleta
+ Przyrząd sanitarny służący do usuwania ludzkiego moczu i kału.\n14L na jedno użycie
+ toaleta (blueprint)
+ toaleta (blueprint)
+ toaleta (building)
+ Przyrząd sanitarny służący do usuwania ludzkiego moczu i kału.\n14L na jedno użycie
+
+ Dwukrotnie bardziej oszczędny w zużyciu wody niż standardowa toaleta. Zapewnia optymalne, wielofunkcyjne doświadczenie dzięki automatycznemu oczyszczaniu i dezodoryzacji.\n7L na jedno użycie
+ Zaawansowana toaleta (blueprint)
+ Zaawansowana toaleta (blueprint)
+ Zaawansowana toaleta (building)
+ Dwukrotnie bardziej oszczędny w zużyciu wody niż standardowa toaleta. Zapewnia optymalne, wielofunkcyjne doświadczenie dzięki automatycznemu oczyszczaniu i dezodoryzacji.\n7L na jedno użycie
+
+ inteligentna toaleta
+ Dwukrotnie większa oszczędność wody niż w przypadku standardowej toalety. Zapewnia optymalne, wielofunkcyjne doświadczenie dzięki automatycznemu oczyszczaniu i dezodoryzacji.\n7L na jedno użycie
+ inteligentna toaleta (blueprint)
+ inteligentna toaleta (blueprint)
+ inteligentna toaleta (building)
+ Dwukrotnie większa oszczędność wody niż w przypadku standardowej toalety. Zapewnia optymalne, wielofunkcyjne doświadczenie dzięki automatycznemu oczyszczaniu i dezodoryzacji.\n7L na jedno użycie
+
+
+
+
+ wanna
+ Powolny w użyciu, ale bardzo wygodny. Może być ogrzewana poprzez umieszczenie w pobliżu ogniska lub kotła na polana, lub poprzez podłączone zbiorniki na gorącą wodę. Nie wymaga odpływu ścieków.\n190L na pranie
+ wanna (blueprint)
+ wanna (blueprint)
+ wanna (building)
+ Powolny w użyciu, ale bardzo wygodny. Może być ogrzewana poprzez umieszczenie w pobliżu ogniska lub kotła na polana, lub poprzez podłączone zbiorniki na gorącą wodę. Nie wymaga odpływu ścieków.\n190L na pranie
+
+
+
+
+ prysznic
+ Prosty prysznic. Wymaga wody z wież wodnych. Może być podgrzewany przez zbiorniki ciepłej wody. Nie wymaga odpływu kanalizacyjnego.\n65L na jedno mycie
+ prysznic (blueprint)
+ prysznic (blueprint)
+ prysznic (building)
+ Prosty prysznic. Wymaga wody z wież wodnych. Może być podgrzewany przez zbiorniki ciepłej wody. Nie wymaga odpływu kanalizacyjnego.\n65L na jedno mycie
+
+ zwykły prysznic
+ Prosty prysznic. Wymaga wody z wież wodnych. Może być podgrzewany przez zbiorniki ciepłej wody. Nie wymaga odpływu kanalizacyjnego.65L na jedno mycie
+ zwykły prysznic (blueprint)
+ zwykły prysznic (blueprint)
+ zwykły prysznic (building)
+ Prosty prysznic. Wymaga wody z wież wodnych. Może być podgrzewany przez zbiorniki ciepłej wody. Nie wymaga odpływu kanalizacyjnego.65L na jedno mycie
+
+ prysznic elektryczny
+ Podgrzewa wodę na żądanie i nie wymaga zbiornika na gorącą wodę, czyści dwa razy szybciej.\n90 l na pranie
+ prysznic elektryczny (blueprint)
+ prysznic elektryczny (blueprint)
+ prysznic elektryczny (building)
+ Podgrzewa wodę na żądanie i nie wymaga zbiornika na gorącą wodę, czyści dwa razy szybciej.\n90 l na pranie
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..70f80a5
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,75 @@
+
+
+
+
+
+ basen
+ Basen używany do hydroterapii, relaksu lub dla przyjemności. Musi być najpierw napełniony wodą z wieży ciśnień.
+ basen(blueprint)
+ basen(building)
+ Basen używany do hydroterapii, relaksu lub dla przyjemności. Musi być najpierw napełniony wodą z wieży ciśnień.
+
+ jacuzzi
+ Gorąca wanna używana do hydroterapii, relaksu lub przyjemności. Przy pierwszym użyciu napełnia się wodą z wieży ciśnień. Samoczynnie się nagrzewa i nie wymaga odpływu ścieków.
+ jacuzzi (blueprint)
+ jacuzzi (blueprint)
+ jacuzzi (building)
+ Gorąca wanna używana do hydroterapii, relaksu lub przyjemności. Przy pierwszym użyciu napełnia się wodą z wieży ciśnień. Samoczynnie się nagrzewa i nie wymaga odpływu ścieków..
+
+ pralka
+ Pierze ubrania tak dobrze, że nie można nawet powiedzieć, że ktoś umarł mając je na sobie!
+ pralka (blueprint)
+ pralka (blueprint)
+ pralka (building)
+ Pierze ubrania tak dobrze, że nie można nawet powiedzieć, że ktoś umarł mając je na sobie!
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..34afdca
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,81 @@
+
+
+
+
+
+ studnia
+ Dostęp do wód gruntowych, które mogą być pompowane przez pompy wodne. Obecność ścieków lub innych zanieczyszczeń obniża jakość wody i może powodować jej skażenie.
+ studnia (blueprint)
+ studnia (building)
+ Dostęp do wód gruntowych, które mogą być pompowane przez pompy wodne. Obecność ścieków lub innych zanieczyszczeń obniża jakość wody i może powodować jej skażenie.
+
+ studnia głębinowa
+ Uzyskuje dostęp do dużej powierzchni wód gruntowych, które mogą być pompowane przez pompy wodne. Studnie głębinowe nie są narażone na zanieczyszczenia.
+ studnia głębinowa (blueprint)
+ studnia głębinowa (building)
+ Uzyskuje dostęp do dużej powierzchni wód gruntowych, które mogą być pompowane przez pompy wodne. Studnie głębinowe nie są narażone na zanieczyszczenia.
+
+ tygiel wodny
+ Magazynuje wodę do wykorzystania przez armaturę. Jeśli woda zostanie zanieczyszczona, zbiornik musi zostać opróżniony.
+ tygiel wodny (blueprint)
+ tygiel wodny (blueprint)
+ tygiel wodny (building)
+ Magazynuje wodę do wykorzystania przez armaturę. Jeśli woda zostanie zanieczyszczona, zbiornik musi zostać opróżniony.
+
+ wieża ciśnień
+ Magazynuje wodę do wykorzystania przez armaturę wodną. Jeśli woda zostanie zanieczyszczona, zbiornik musi zostać opróżniony.
+ wieża ciśnień (blueprint)
+ wieża ciśnień (building)
+ Magazynuje wodę do wykorzystania przez armaturę wodną. Jeśli woda zostanie zanieczyszczona, zbiornik musi zostać opróżniony.
+
+ wielka wieża ciśnień
+ Magazynuje wodę do wykorzystania przez armaturę wodną. Jeśli woda w zbiorniku ulegnie zanieczyszczeniu, zbiornik należy opróżnić.
+ wielka wieża ciśnień (blueprint)
+ wielka wieża ciśnień (building)
+ Magazynuje wodę do wykorzystania przez armaturę wodną. Jeśli woda w zbiorniku ulegnie zanieczyszczeniu, zbiornik należy opróżnić.
+
+ pompa wiatrowa
+ Pompuje wodę ze studni do wież ciśnień. Wydajność pompowania: 3000 L/dzień.
+ pompa wiatrowa (blueprint)
+ pompa wiatrowa (building)
+ Pompuje wodę ze studni do wież ciśnień. Wydajność pompowania: 3000 L/dzień.
+
+ pompa elektryczna
+ Pompuje wodę ze studni do wież ciśnień. Wydajność pompowania: 1500 L/dzień.
+ pompa elektryczna (blueprint)
+ pompa elektryczna (blueprint)
+ pompa elektryczna (building)
+ Pompuje wodę ze studni do wież ciśnień. Wydajność pompowania: 1500 L/dzień.
+
+ przepompownia
+ Pompuje wodę ze studni do wież ciśnień. Wydajność pompowania: 10000 L/dzień.
+ przepompownia (blueprint)
+ przepompownia (building)
+ Pompuje wodę ze studni do wież ciśnień. Wydajność pompowania: 10000 L/dzień.
+
+ odpływ ścieków
+ Może być umieszczony w dowolnym miejscu. Ścieki będą się gromadzić i rozprzestrzeniać na lądzie lub rozpraszać w wodzie. Ścieki oczyszczają się z czasem; obecność drzew, wody lub deszczu przyspiesza ten proces.
+ odpływ ścieków (blueprint)
+ odpływ ścieków (building)
+ Może być umieszczony w dowolnym miejscu. Ścieki będą się gromadzić i rozprzestrzeniać na lądzie lub rozpraszać w wodzie. Ścieki oczyszczają się z czasem; obecność drzew, wody lub deszczu przyspiesza ten proces.
+
+ szambo
+ Powoli, w miarę upływu czasu oczyszcza ścieki. Ścieki kierowane są w pierwszej kolejności do szamba. Jeśli osiągnie ono pełną pojemność, nadmiar ścieków kierowany jest do przykanalików.
+ szambo (blueprint)
+ szambo (building)
+ Powoli, w miarę upływu czasu oczyszcza ścieki. Ścieki kierowane są w pierwszej kolejności do szamba. Jeśli osiągnie ono pełną pojemność, nadmiar ścieków kierowany jest do przykanalików.
+
+ oczyszczanie ścieków
+ Powoli oczyszcza ścieki w czasie. Jeśli osiągnie pełną wydajność, nadmiar ścieków jest kierowany bezpośrednio do odpływów bez oczyszczania.
+ oczyszczanie ścieków (blueprint)
+ oczyszczanie ścieków (building)
+ Powoli oczyszcza ścieki w czasie. Jeśli osiągnie pełną wydajność, nadmiar ścieków jest kierowany bezpośrednio do odpływów bez oczyszczania.
+
+ uzdatnianie wody
+ Oczyszcza 99,99% zarazków! Filtruje istniejącą wodę w wieżach magazynowych oraz każdą wodę używaną przez armaturę, eliminując ryzyko zachorowań.
+ uzdatnianie wody (blueprint)
+ uzdatnianie wody (building)
+ Oczyszcza 99,99% zarazków! Filtruje istniejącą wodę w wieżach magazynowych oraz każdą wodę używaną przez armaturę, eliminując ryzyko zachorowań.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..51984f0
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,100 @@
+
+
+
+
+
+ termostat
+ Służy do sterowania kotłami elektrycznymi i gazowymi. Można umieścić więcej niż jeden. Podłączenie poprzez standardową instalację wodno-kanalizacyjną.
+ termostat (blueprint)
+ termostat (blueprint)
+ termostat (building)
+ Służy do sterowania kotłami elektrycznymi i gazowymi. Można umieścić więcej niż jeden. Podłączenie poprzez standardową instalację wodno-kanalizacyjną.
+
+ kocioł na drewno
+ Wytwarza 2000 jednostek grzewczych do grzejników rurowych i zbiorników ciepłej wody. Ogrzewa pomieszczenie i przyległe łazienki. Wymaga drewnianych polan jako paliwa.
+ kocioł na drewno (blueprint)
+ kocioł na drewno (blueprint)
+ kocioł na drewno (building)
+ Wytwarza 2000 jednostek grzewczych do grzejników rurowych i zbiorników ciepłej wody. Ogrzewa pomieszczenie i przyległe łazienki. Wymaga drewnianych polan jako paliwa.
+
+ kocioł gazowy
+ Produkuje 2000 jednostek grzewczych do grzejników i zbiorników ciepłej wody. Wymaga paliwa chemicznego jako paliwa. Może być kontrolowany przez termostaty.
+ kocioł gazowy (blueprint)
+ kocioł gazowy (blueprint)
+ kocioł gazowy (building)
+ Produkuje 2000 jednostek grzewczych do grzejników i zbiorników ciepłej wody. Wymaga paliwa chemicznego jako paliwa. Może być kontrolowany przez termostaty.
+
+ kocioł elektryczny
+ Wytwarza zmienną ilość jednostek grzewczych dla grzejników i zbiorników ciepłej wody. Ręcznie sterowane ustawienie mocy. Może być sterowany przez termostaty.
+ kocioł elektryczny (blueprint)
+ kocioł elektryczny (blueprint)
+ kocioł elektryczny (building)
+ Wytwarza zmienną ilość jednostek grzewczych dla grzejników i zbiorników ciepłej wody. Ręcznie sterowane ustawienie mocy. Może być sterowany przez termostaty.
+
+ podgrzewacz solarny
+ Wykorzystuje światło słoneczne do ogrzewania zbiorników z gorącą wodą i grzejników. 0-2000 jednostek mocy grzewczej w zależności od poziomu oświetlenia i temperatury otoczenia.
+ podgrzewacz solarny (blueprint)
+ podgrzewacz solarny (building)
+ Wykorzystuje światło słoneczne do ogrzewania zbiorników z gorącą wodą i grzejników. 0-2000 jednostek mocy grzewczej w zależności od poziomu oświetlenia i temperatury otoczenia.
+
+ zbiornik ciepłej wody
+ Przechowuje gorącą bieżącą wodę do prysznica i kąpieli. Podłączyć do dowolnego kotła grzewczego, aby ogrzewać.
+ zbiornik ciepłej wody (blueprint)
+ zbiornik ciepłej wody (blueprint)
+ zbiornik ciepłej wody (building)
+ Przechowuje gorącą bieżącą wodę do prysznica i kąpieli. Podłączyć do dowolnego kotła grzewczego, aby ogrzewać.
+
+ grzejnik
+ Ogrzewa pomieszczenia za pomocą gorącej wody. Wymaga 100 jednostek grzewczych.
+ grzejnik (blueprint)
+ grzejnik (blueprint)
+ grzejnik (building)
+ Ogrzewa pomieszczenia za pomocą gorącej wody. Wymaga 100 jednostek grzewczych.
+
+ duży grzejnik
+ Trzykrotnie większa wydajność niż w przypadku standardowego grzejnika. Przydatny do większych pomieszczeń. Wymaga 300 jednostek grzewczych.
+ duży grzejnik (blueprint)
+ duży grzejnik (blueprint)
+ duży grzejnik (building)
+ Trzykrotnie większa wydajność niż w przypadku standardowego grzejnika. Przydatny do większych pomieszczeń. Wymaga 300 jednostek grzewczych.
+
+
+
+
+ wentylator sufitowy 2x2
+ Chłodzi pomieszczenie poprzez cyrkulację powietrza. Zawiera wbudowaną lampę.
+ wentylator sufitowy 2x2 (blueprint)
+ wentylator sufitowy 2x2 (blueprint)
+ wentylator sufitowy 2x2 (building)
+ Chłodzi pomieszczenie poprzez cyrkulację powietrza. Zawiera wbudowaną lampę.
+
+ wentylator sufitowy 1x1
+ Chłodzi pomieszczenie poprzez cyrkulację powietrza. Zawiera wbudowaną lampę.
+ wentylator sufitowy 1x1 (blueprint)
+ wentylator sufitowy 1x1 (blueprint)
+ wentylator sufitowy 1x1 (building)
+ Chłodzi pomieszczenie poprzez cyrkulację powietrza. Zawiera wbudowaną lampę.
+
+ jednostka zewnętrzna air-con
+ Jednostka klimatyzacyjna typu multi-split. Umieścić na zewnątrz i rury do jednostek wewnętrznych lub jednostek zamrażarki. Wybór trybu mocy z wydajnością 100-1000 jednostek chłodzących.
+ jednostka zewnętrzna air-con (blueprint)
+ jednostka zewnętrzna air-con (blueprint)
+ jednostka zewnętrzna air-con (building)
+ Jednostka klimatyzacyjna typu multi-split. Umieścić na zewnątrz i rury do jednostek wewnętrznych lub jednostek zamrażarki. Wybór trybu mocy z wydajnością 100-1000 jednostek chłodzących.
+
+ jednostka wewnętrzna air-con
+ Wewnętrzna jednostka klimatyzacyjna do pomieszczeń. Podłączenie do zewnętrznych jednostek klimatyzacyjnych. Wymaga 100 jednostek chłodzących.
+ jednostka wewnętrzna air-con (blueprint)
+ jednostka wewnętrzna air-con (blueprint)
+ jednostka wewnętrzna air-con (building)
+ Wewnętrzna jednostka klimatyzacyjna do pomieszczeń. Podłączenie do zewnętrznych jednostek klimatyzacyjnych. Wymaga 100 jednostek chłodzących.
+
+ zamrażarka typu walk-in
+ Zamrażarka do stworzenia chłodni typu walk-in. Podłączenie do zewnętrznych jednostek klimatyzacyjnych. Wymaga 300 jednostek chłodzących.
+ zamrażarka typu walk-in (blueprint)
+ zamrażarka typu walk-in (blueprint)
+ zamrażarka typu walk-in (building)
+ Zamrażarka do stworzenia chłodni typu walk-in. Podłączenie do zewnętrznych jednostek klimatyzacyjnych. Wymaga 300 jednostek chłodzących.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..b7844e0
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,29 @@
+
+
+
+
+
+ zraszacz nawadniający
+ Nawadnia okoliczny teren raz na dobę rano, aby poprawić żyzność gleby w ciągu dnia. Zużywa 1000L każdego ranka przy maksymalnym promieniu.
+ zraszacz nawadniający (blueprint)
+ zraszacz nawadniający (blueprint)
+ zraszacz nawadniający (building)
+ Nawadnia okoliczny teren raz na dobę rano, aby poprawić żyzność gleby w ciągu dnia. Zużywa 1000L każdego ranka przy maksymalnym promieniu.
+
+ tryskacz przeciwpożarowy
+ Wyzwalany przez ogień lub wysoką temperaturę. Gasi płomienie strumieniem wody.
+ Trigger tryskacz przeciwpożarowy
+ tryskacz przeciwpożarowy (blueprint)
+ tryskacz przeciwpożarowy (blueprint)
+ tryskacz przeciwpożarowy (building)
+ Wyzwalany przez ogień lub wysoką temperaturę. Gasi płomienie strumieniem wody.
+
+ kompostownik biosolidarny
+ Kompostownik do przekształcania ścieków w nawóz zwiększający żyzność przekopywanego terenu.
+ kompostownik biosolidarny (blueprint)
+ kompostownik biosolidarny (blueprint)
+ kompostownik biosolidarny (building)
+ Kompostownik do przekształcania ścieków w nawóz zwiększający żyzność przekopywanego terenu.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/Polish/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..8a6570e
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,11 @@
+
+
+
+ mocz
+ Mocz na ziemi.
+
+ kał
+ surowy ściek
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Polish/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..f7a3a11
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,11 @@
+
+
+
+ bioniczny pęcherz moczowy
+ Zaawansowany sztuczny pęcherz moczowy. System recyklingu chemicznego rozbija produkty odpadowe z organizmu na cząsteczki, które są poddawane recyklingowi, a reszta jest uwalniana jako gaz, minusem tego rozwiązania jest to, że użytkownik otrzymuje gaz.
+
+ wzmacniacz higieny
+ Uwalnia mechanity, które rozkładają martwe komórki naskórka i inne zanieczyszczenia na skórze i włosach, uwalniając je nieszkodliwie do powietrza.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/Polish/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..f19d954
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,22 @@
+
+
+
+ bed pan
+ A receptacle used by a bedridden patient for urine and faeces.
+
+ biosolidy
+ Po odpowiednim oczyszczeniu i przetworzeniu osady ściekowe stają się biosolidami, które w niewielkim stopniu zwiększają żyzność terenu. Przydatne w trudnych warunkach, gdzie przestrzeń do uprawy jest ograniczona. Biosolidy również w dużym stopniu zwiększają żyzność piasku, co w połączeniu z nawadnianiem może uczynić go żyznym.
+
+ osad kałowy
+ Beczka wypełniona osadami kałowymi. Mogą być wyrzucane, spalane lub kompostowane do postaci biosolidów.
+
+
+
+
+ woda
+ Butelka wody.
+ pij {0}
+ Picie {0}.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/Polish/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..2c9ef00
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,16 @@
+
+
+
+
+
+ mote
+ mote
+ mote
+ mote
+ mote
+ mote
+ mote
+ mote
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/Polish/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..2ab4890
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,64 @@
+
+
+
+ odświeżony
+ Drank refreshing clean water.
+
+ drank filthy water
+ Drank a bottle of contaminated water.
+
+ Pił mocz
+ Musiałem pić własny mocz.
+
+ Podglądany
+ Ktoś widział jak się myję!
+
+ Podglądany
+ Ktoś widział jak korzystam z toalety!
+
+ Musiałem srać w gacie
+ Nie mogłem go dłużej trzymać, więc musiałem srać w gacie.
+
+ Gorący prysznic
+ Niezły gorący prysznic.
+
+ heated pool
+ The heated pool was very relaxing.
+
+ Gorąca kąpiel
+ Niezła gorąca kąpiel.
+
+ Zimna kąpiel
+ Przyjemna orzeźwiająca zimna kąpiel.
+
+ Zimny prysznic
+ Przyjemny orzeźwiający zimny prysznic.
+
+ Zimna woda
+ Brak ciepłej wody!
+
+ Ulga
+ Ahhh, tak jest lepiej.
+
+ Radzenie sobie na zewnątrz
+ Musiałem ulżyć sobie na zewnątrz.
+
+ Straszna łazienka
+ Ta łazienka jest okropna.
+ przyzwoita łazienka
+ Ta łazienka nie jest zła. Podoba mi się tu.
+ nieco imponująca łazienka
+ Ta ładną łazienkę. Podoba mi się tu.
+ Wspaniała łazienka
+ Świetna łazienka. Uwielbiam to!
+ Piękna łazienka
+ Ta łazienka jest piękna. To najlepsze miejsce!
+ Wspaniała łazienka
+ Ta łazienka jest piękna. To najlepsze miejsce!
+ Wspaniała łazienka
+ Ta łazienka jest piękna. To najlepsze miejsce!
+ Piękna łazienka.
+ Ta łazienka to najlepsze miejsce, jakie można sobie wyobrazić. To jest cudowne!
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/Polish/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..2f6b10d
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,19 @@
+
+
+
+ Brudny
+ Czuję się jakbym pływał w szambie..
+ Trochę brudny
+ Czuję się trochę brudny.
+ Czysty
+ Czysty i świeży.
+ Czysty do piskliwej czystości
+ Słyszę tą czystość!
+
+ Zaraz mnie rozwali
+ Pilnie muszę iść do toalety, bo inaczej się rozerwę!
+ Muszę iść do toalety
+ Muszę iść do toalety.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/Polish/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..0e76028
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,14 @@
+
+
+
+ germafobia
+ [PAWN_nameDef] ma obsesję na punkcie zarazków i będzie myć się znacznie częściej niż zwykle.
+ higieniczne
+ [PAWN_nameDef] jest bardzo higieniczny i będzie mył się częściej.
+ niehigieniczny
+ [PAWN_nameDef] jest bardzo niehigieniczny i będzie mył się znacznie rzadziej.
+ niechluj
+ [PAWN_nameDef] ma bardzo niskie standardy czystości i myje się tylko wtedy, gdy absolutnie musi.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/Polish/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..dc73d24
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,37 @@
+
+
+
+ nawozić
+ nawozić
+ nawożenie
+
+ usuń blokadę
+ usuń blokadę
+ usunięcie blokady
+
+ podawać płyny
+ daj picie
+ dawanie picia
+
+ umyć pacjenta
+ myj
+ mycie
+
+ clean bed pan
+ czyść
+ czyszczenie
+
+ clean bed pan
+ czyść
+ czyszczenie
+
+ tip sewage
+ tip Sewage
+ tipping over
+
+ spuścić wodę
+ spuść
+ spuszczanie wody
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/Polish/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..bff57d6
--- /dev/null
+++ b/1.5/Languages/Polish/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,41 @@
+
+
+
+ do burn pit bills
+ burn
+ burning at
+
+ shovel sewage into barrels
+ remove sewage
+ removing sewage
+
+ unload washing
+ unload washing
+ unloading washing
+
+ load washing
+ load washing
+ loading washing
+
+ take compost out of composter
+ take compost
+ taking compost from
+
+ fill composter
+ fill
+ filling
+
+ empty septic tank
+ empty
+ emptying
+
+ refill water
+ refill
+ refilling
+
+ clean filth indoors
+ clean
+ cleaning
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Polish/Keyed/DubsHygiene.xml b/1.5/Languages/Polish/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..6c55fe2
--- /dev/null
+++ b/1.5/Languages/Polish/Keyed/DubsHygiene.xml
@@ -0,0 +1,247 @@
+
+
+
+
+ Zdemontuj rury
+ Przypisz demontaż odcinków rur
+ Usuń zanieczyszczenia
+ Usuń zanieczyszczenia z ziemi i umieść je w beczkach
+ Zdemontuj rurociąg
+ Zdemontować systemy klimatyzacji
+
+
+ Brakująca wieża ciśnień
+ Wieża ciśnień lub zbiornik na wodę jest wymagany do przechowywania wody wypompowywanej ze studni.
+ Brak studni
+ Pompy wymagają studni rurowej, aby uzyskać dostęp do wody gruntowej.
+ Brak pompy wodnej
+ Pompa wodna jest potrzebna do pompowania wody ze studni do wieży ciśnień.
+ Skażenie wód opadowych
+ Po 2 dniach toksycznego opadu nagromadzona woda skazi wszystkie zbiorniki wodne podłączone do studni.\n\nPrzygotuj się tworząc rezerwę wody, a następnie użyj zaworu do odłączenia studni, aby chronić wodę przed skażeniem, zanim będzie za późno.\n\nMożesz również użyć studni głębinowej, aby uzyskać dostęp do nieskażonej wody, lub zainstalować system uzdatniania wody, który wyeliminuje wszelkie skażenia z rezerw wody.
+
+ Niska wydajność chłodnicza. Można zwiększyć moc jednostek zewnętrznych.
+ Dostęp ograniczony
+ Tylko {0}
+ Tylko więźniowie
+ Zatkany odpływ
+ Ścieki nagromadziły się w otworze spustowym i zatkały odpływ. \n\nZbuduj więcej rur lub dodaj szambo, zmniejszyć obciążenie odpływów.
+ Niska temperatura wody
+ Temperatura wody w tym pojemniku jest za niska. Koloniści polegający na ciepłej wodzie mogą być zdenerwowani. \n\nWłącz kotły, zwiększ ogrzewanie lub dodaj kolejny zbiornik ciepłej wody.
+ Konstrukcja musi być umieszczona na kratce z wodą gruntową
+ Aby można było ustawić ograniczenia, w pomieszczeniu musi znajdować się instalacja wodociągowa
+ Wymaga wieży do magazynowania wody
+ Przypisanie wymaga potrzeby pęcherza, ale {0} nie ma potrzeby pęcherza.
+
+ Nie ma kompostu
+ Brak wody
+ Nie ma odprowadzania ścieków
+ Wymagana hydraulika
+ Dostęp ograniczony
+
+ Za gorąco: x{0}
+ W deszczu: x{0}
+ Aktywność fizyczna: x{0}
+ Pokój: x{0}
+ General: x{0}
+ Brudne ręce - ryzyko choroby
+
+ Zatkany odpływ
+ Odpływ jest zatkany, środek czyszczący musi usunąć zator.
+
+ Zanieczyszczona woda
+ Źródło wody jest mocno zanieczyszczone. W zbiornikach jest ryzyko zanieczyszczenia. \nPozbać się źródła zanieczyszczeń lub zbuduj system oczyszczania ścieków, który również oczyszcza zanieczyszczone zbiorniki.
+ Zanieczyszczony zbiornik wodny
+ Zbiorniki są zanieczyszczone, co powoduje poważne zagrożenie dla zdrowia kolonistów! Przenieść zbiorniki, opróżnij je lub stworzyć system oczyszczania wody
+
+ Kolonista o imieniu {0} {1} z powodu brudnej wody i braku higieny osobistej
+ Kolonista o imieniu {0} {1} z powodu brudnej wody lub nieumytych rąk
+ {0} zachorował od picia skażonej wody
+
+
+ Zmiana ograniczeń dotyczących płci
+ Medyczne
+ Ogranicz tę instalację hydrauliczną tylko do pacjentów
+ Tylko dla pacjentów
+ Atak helikoptera
+ Dla obu płci
+ Powiąż go do łóżka
+ Przyciągnij instalację hydrauliczną do najbliższego łóżka, aby powiązać właściciela
+ Usuń wiązanie
+ Usuń wiązanie z łóżkami
+ Tylko dla zwierzęta
+ Kontrola obłożenia
+ Pionki powinny sprawdzić, czy coś w pokoju jest zarezerwowane, zanim spróbują skorzystać z armatury, zapobiega to wchodzeniu pionków na siebie w celu skorzystania z umywalek i toalet w tym samym czasie.
+ koloniści
+ Niewolnicy
+ Goście
+ Koloniści ograniczeni
+ Niewolnicy ograniczeni
+ Goście ograniczeni
+
+
+ Temperatura wody: {0}
+ Zapewnione ogrzewanie: {0} U ({1})
+ Zapewnione chłodzenie: {0} U ({1})
+ Ogrzewanie: {0} U
+ Chłodzenie: {0} U
+ Jednostki grzewcze / moc: {0} U / {1} Вт
+ Chłodnice / Moc: {0} U / {1} Вт
+ Wydajność: {0}
+ Wydajność: {0}
+ Minimalna temperatura: {0}
+ Zmniejszyć moc
+ Zmniejszanie mocy
+ Zwiększyć moc
+ Zwiększanie ciepła
+ Objętość ciepłej wody: {0}
+ Ignorowanie termostatu
+ Utrzymywać kocioł w ciągłej pracy niezależnie od termostatu.
+ Zawory wydechowe nie mogą zostać spalone!
+ Wydajność: {0} za zimno
+ Wydajność: {0}
+ Temperatura grzejnika: {0}
+ Termostat przesterowany przez zbiorniki ciepłej wody. Ustawić wszystkie podłączone zbiorniki ciepłej wody na tryb termostatu.
+ Sterowanie termostatem
+ Włączenie kotłów na 1 godzinę przy niskiej temperaturze zasobnika. Jeżeli ta funkcja jest wyłączona, to kotły będą pracowały w sposób ciągły i będą ignorowały termostaty pokojowe.
+
+
+ Umyj ręce.
+ Pranie
+ Użyj
+ Korzystając z = {0}
+ Musi być kanalizacja
+ Zatkany odpływ
+ Podłącz lub opróżnij toaletę
+ Uruchomiona...
+ Konieczne jest rozładowanie
+ Ładowanie: {0}/{1}
+ Żadnych brudnych ubrań
+ Nie ma miejsca
+ Brak niezastrzeżonych źródeł wody o najwyższej dostępnej jakości.
+
+ Przepływ +50L
+ Przepływ -50L
+ Stopień wypełnienia: {0}L/h
+ Drink
+ Zawór przełączający
+ Zamknij lub otwórz zawór
+ Zawór zamknięty
+
+ Zasilanie pompy: {0} l/dzień
+ Objętość wód gruntowych: {0} l/dzień
+ Przepływ pompy / objętość wody: {0}/{1} l/dzień ({2})
+
+ Magazynowana woda: {0} l
+ Woda z kranu z zapasem: {0} l
+
+ Poziom zanieczyszczenia: {0}
+
+ Zwiększ promień
+ Zmniejsz promień
+ Jakość: nierafinowana - niskie ryzyko choroby
+ Jakość: Zanieczyszczona! - Duża szansa na zachorowanie!
+ Jakość: oczyszczona - bezpieczna
+
+ Pusty pojemnik
+ Opróżnij pojemnik i pozbądź się brudu
+
+ Wartość wody: {0} dla {1} l
+ woda
+
+ Nakłada się na {0}
+
+
+ Ścieki {0}
+ Czyszczenie szamba
+ Ustaw poziom, przy którym odchody powinny być odprowadzane do beczek, które można przenosić i przewracać, spalać lub przetwarzać na bioodpady
+ Wyczyść: {0} l/dzień Zawiera: {1} l ({2})
+ Nie opróżniaj
+ Opróżnij pojemnik, kiedy {0}
+
+ Dół: {0}
+ Jama jest pełna, opróżnij ją!
+ Wywal ją
+ Wylej tę beczkę odchodów na ziemię
+
+
+ Zawiera kompost {0}/{1}
+ Zawiera kał {0}/{1}
+ Nawożone
+ Postępy w zakresie kompostowania {0} ({1})
+ Nieprawidłowa temperatura
+ Idealna temperatura do kompostowania
+ Strefa uprawy wyłączona
+ Nie znaleziono nawozu
+ Obszar nawozowy
+ Wyznaczenie obszarów do nawożenia biosolidami.
+ Dodaj obszar
+ Usuń obszar
+
+
+ Nadanie priorytetu sprzątaniu w pomieszczeniach
+ Umożliwia sprzątanie w pomieszczeniach o wyższym priorytecie w pierwszej kolejności.
+ Pomoc w usuwaniu modów
+ Kroki:\n1: Zapisz grę natychmiast po naciśnięciu przycisku confirm \n2: Wyjdź do menu głównego i wyłącz mod, a następnie uruchom ponownie grę:\n3: Wczytaj save'a, zignoruj wszystkie wyjątki i zapisz go jeszcze raz i nie powinno być żadnych wyjątków związanych z brakującymi defami lub klasami.!
+ Pet thirst
+ Pets get the thirst need
+ A restart is required to add quality and art comps back in.\n\n restart now?
+ Fixture quality and art
+ Enable quality and art comps for fixtures like toilets
+ Przejdź do menu głównego, aby zmienić
+ Rimefeller jest podłączony
+ Zezwolenie na użycie wody do rozłupywarki i rafinerii w Rimefeller
+ Rimatomia jest połączona
+ Zezwolenie na stosowanie wody w urządzeniach chłodniczych w rimatomii
+ Wyłącz ręcznie potrzeby w oparciu o typ ciała, rasę i stan zdrowia
+ Potrzebuje filtrów
+ Wyłącz małą potrzebę
+ Wyłącz potrzebę higieny
+ Potrzeby
+ Sprawdź, czy zawiera
+ Więźniowie
+ Czy więźniowie będą mieli potrzeby
+ Goście
+ Czy goście będą mieli potrzeby
+ Prywatność
+ Koloniści martwią się o prywatność podczas zabiegów wodnych i korzystania z toalet
+ Efektywność chłodzenia
+ Czy wysokie temperatury powinny wpływać na wydajność chłodzenia, jak ma to miejsce w przypadku konwencjonalnych klimatyzatorów
+ Rain irrigation
+ Rain will give the same boost as sprinklers. Might reduce game performance.
+ Toggle needs
+ Disable needs entirely. Overrides all other settings.
+ Allow modded drinks
+ Pawns will also be allowed to drink and pack any modded drinks. VGP and RimCuisine drinks can be used default, others will require modding an extension to the def.
+ Pack water bottles
+ Pawns will automatically pack water bottles into their inventory when they can.\n\nMay not work with some mods, for CE you will need to manually manage your loadout to include water bottles else they will keep dropping them.
+ Needs filter
+ Main features
+ Funkcje eksperymentalne
+ Mała potrzeba zwierząt domowych
+ Czy zwierzęta domowe zaspokoją małą potrzebę
+ Mała potrzeba dzikich zwierząt
+ Czy wszystkie dzikie zwierzęta będą musiały się wypróżniać
+ Pragnienie
+ Włącz pragnienie wszystkich kolonistów z niewielką potrzebą
+ Nawóz jest widoczny
+ Czy klatka nawozowa powinna być widoczna
+ Koloniści inni niż ludzcy
+ Uwzględnia potrzeby nie-ludzkich kolonistów. Możesz wyłączyć poszczególne stworzenia w zakładce "Filtry potrzeb"
+ Extra features
+ Lite Mode (Simplifies the mod)
+ Switch the mod into a simplified mode which removes pipes, water and sewage management, and any buildings and jobs not directly related to hygiene and thirst.\n\nThis will prevent many defs from loading and requires a restart.\n\nIf you are trying to load a save with existing hygiene buildings you may need to save and reload it after activating
+ You must reload the game after changing the Lite mode setting\n\nIf you are trying to load a save with existing hygiene buildings you may need to save and reload it after activating to clear errors
+ Passive coolers use water
+ Passive coolers have their wood fueling removed and are instead filled with water, similar to water tubs.
+ SoS2 integration
+ Adds water and sewage processing to life support, and adds pipes to ship structures.
+ Stockpile water x{0}
+ Bad Hygiene Wiki
+ Go to the Bad Hygiene Wiki
+ Survival mode
+ Limits the default shallow water grid generation to very small patches. Terrain features no longer generate water, and the radius around surface water is reduced.\n\nA new game is not required; works with existing saves.
+ Hydroponics
+ Powered growing buildings like hydroponics have water tanks that require filling from pipes. Plants die from lack of water instead of power, but water tanks only fill when the building is powered.
+ A restart is required to add and remove thirst-related items.\n\nRestart now?
+
+
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..e27cf0f
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,8 @@
+
+
+
+ higiene
+ Construções para uso pessoal dos colonos.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..fccc2f1
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
@@ -0,0 +1,7 @@
+
+
+
+ ladrilho de mosaico
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..80bae11
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,195 @@
+
+
+
+ Visibilidade do cano
+ Ocultar
+ Ocultar abaixo do piso
+ Sempre visível
+
+ Taxa de higiene
+ Cheat
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Taxa de bexiga
+ Cheat
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Taxa de esgoto
+ Cheat
+ 25%
+ 50%
+ 100%
+ 150%
+ 200%
+ 250%
+
+ Taxa de sede
+ Cheat
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Contaminação
+ Cheat
+ 10%
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 175%
+ 200%
+
+ Bomba de água
+ Cheat
+ 200%
+ 150%
+ 100%
+ 75%
+ 50%
+ 25%
+
+ Água quente
+ Cheat
+ 50%
+ 75%
+ 100%
+ 125%
+ 150%
+ 200%
+
+ Limite de dejeto
+ Cheat
+ 400%
+ 200%
+ 100%
+ 80%
+ 60%
+ 20%
+
+ Limpeza de esgoto
+ Cheat
+ 300%
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+ 0%
+
+ Produção de esgoto
+ Cheat
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+
+ Irrigador
+ Cheat
+ 240%
+ 220%
+ 200%
+ 180%
+ 160%
+ 140%
+ 120%
+ 110%
+
+ Fertilizante
+ Cheat
+ 160%
+ 140%
+ 120%
+ 110%
+ 108%
+ 106%
+ 104%
+ 102%
+
+ Solo base
+ Cheat
+ 180%
+ 140%
+ 120%
+ 110%
+ 100%
+ 90%
+ 80%
+ 60%
+ 40%
+ 20%
+
+ Tempo fértil
+ cheat
+ 240 dias (3 anos)
+ 180 dias
+ 120 dias (2 anos)
+ 80 dias
+ 60 dias (1 ano)
+ 40 dias
+ 30 dias
+ 20 dias
+ 10 dias
+ 1 dia
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..c6fcc61
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
@@ -0,0 +1,22 @@
+
+
+
+
+
+ Tomar banho com TargetA
+ Tomando banho
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
new file mode 100644
index 0000000..d20ff6c
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
@@ -0,0 +1,9 @@
+
+
+
+ Nadando
+ Relaxando
+ Usando sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Global_Misc.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Global_Misc.xml
new file mode 100644
index 0000000..0fd912f
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Global_Misc.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..9b1e68e
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,42 @@
+
+
+
+ lavando
+ Lavando
+ Lavando
+
+ má higiene
+ >A má higiene aumentará o risco de doenças e afetará a interação social.
+ Estágio menor
+ Estágio maior
+ Estágio extremo
+
+ diarréia
+ A diarréia consiste em fezes soltas e aquosas. Também conhecido como movimentos intestinais.
+ Estágio menor
+ Estágio maior
+ Estágio inicial
+
+ disenteria
+ A disenteria é um tipo de gastroenterite que resulta em diarreia com sangue.
+ Estágio menor
+ Estágio médio
+ Estágio maior
+
+ cólera
+ A cólera é uma doença infecciosa que causa diarreia aquosa grave, que pode levar à desidratação e até à morte se não for tratada.
+ Estágio menor
+ Estágio médio
+ Estágio maior
+ Estágio extremo
+
+ desidratação
+ A desidratação é uma condição que pode ocorrer quando a perda de fluidos corporais, principalmente água, excede a quantidade ingerida.
+ Estágio trivial
+ Estágio menor
+ Estágio moderado
+ Estágio severo
+ Estágio extremo
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..0a34d31
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,13 @@
+
+
+
+ bexiga artificial
+ Uma bexiga artificial instalada.
+ uma bexiga artificial
+
+ intensificador de higiene
+ Um intensificador de higiene instalado.
+ um intensificador de higiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/IncidentDef/Incidents_Map_Misc.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/IncidentDef/Incidents_Map_Misc.xml
new file mode 100644
index 0000000..a57bf15
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/IncidentDef/Incidents_Map_Misc.xml
@@ -0,0 +1,8 @@
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..4bb5257
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,49 @@
+
+
+
+ Ativando TargetA
+ Esvaziando TargetA
+ Esvaziando TargetA
+
+
+
+
+ Carregando TargetA.
+ Descarregando TargetA.
+ Reabastecendo TargetA.
+ Tirando fertilizante do TargetA.
+ Removendo cocô.
+ Assistindo máquina de lavar.
+ Chutando TargetA.
+ Esvaziando TargetA.
+ Fertilizando solo.
+ bebendo água.
+ bebendo água de TargetA.
+ Enchendo garrafa de água em TargetA.
+ Armazenando água em TargetA.
+ Reabastecendo água de TargetB.
+ Tendo movimento intestinal em TargetA.
+ Tendo movimento intestinal ao ar livre.
+ Lavando com TargetA.
+ Lavando.
+ Lavando as mãos em TargetA.
+ Lavando TargetA.
+ Reabastecendo torre.
+ Reabastecendo água.
+ Limpando penico.
+ Algo esta entupido.
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/JobDef/Jobs_Work.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/JobDef/Jobs_Work.xml
new file mode 100644
index 0000000..ba3e2b2
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/JobDef/Jobs_Work.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..8d71c3a
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,7 @@
+
+
+
+ hidroterapia
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..2af82c1
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Hygiene tab
+ Key bindings for the "Hygiene" section of the Architect menu
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..586bc79
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,20 @@
+
+
+
+ bexiga
+ Para evitar o risco de doenças, é importante manter um bom nível de saneamento, removendo ou tratando os resíduos e evitando que o esgoto contamine o reservatório de água.\n\nConfigurações do Mod:
+
+
+
+
+ higiene
+ Uma boa higiene pessoal é importante para reduzir o risco de doenças e manter os colonos felizes.\n\nConfigurações do Mod:
+
+
+
+
+ sede
+ A água é necessária para muitos dos processos fisiológicos da vida. Se chegar a zero, a criatura morrerá lentamente de desidratação.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..4bf4ae7
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,13 @@
+
+
+
+ instalar bexiga artificial
+ Instale uma bexiga artificial.
+ Instalando bexiga artificial.
+
+ instalar intensificador de higiene
+ Instale um intensificador de higiene.
+ Instalando intensificador de higiene.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..e5a07ad
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,9 @@
+
+
+
+ fazer combustível químico a partir do cocô
+ Faça combustível químico a partir do cocô.
+ Fazendo combustível químico com cocô
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..03cb8ee
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,74 @@
+
+
+
+ fertilizante
+ Quando devidamente tratado e processado, o cocô torna-se fertilizante que oferece um pequeno aumento na fertilidade do terreno. Útil para ambientes hostis com espaço limitado para cultivo. O fertilizante também aumenta muito a fertilidade da areia, o que pode torná-la fértil quando combinado com irrigador.
+
+ sistema de refrigeração
+ Construa um sistema de ar-condicionado com unidade externa canalizada para unidade interna e freezer.
+
+ sistema de água primitivo
+ Use pias, torres de água e outros aparelhos para uso pessoal, assim como canos para fornecer água e esgoto.
+
+ água quente
+ Construa um aquecedor e um reservatório que armazena água quente.
+
+ água quente avançada
+ Construa reservatórios, radiadores, aquecedores e termostatos.
+
+ Aquecimento geotérmico
+ Construa aquecedores geotérmicos que podem ser construídos sobre gêiseres para gerar calor para aquecimento central e tanques de água quente.
+
+ saunas
+ Construa uma sala dedicada com um aquecedor de sauna onde os colonos possam relaxar e limpar, o uso frequente pode reduzir a chance de ataques cardíacos.
+
+ sistema de água moderno
+ Construa um banheiro moderno.
+
+ sistema de água avançado
+ Construa uma bomba de água para bombeamento contínuo da água.
+
+ chuveiro avançado
+ Construa um chuveiro elétrico que reduz o tempo gasto em banho e melhora o conforto, mas usar o dobro de água.
+
+ vaso sanitário avançado
+ Construa um vaso sanitário avançado que usar menos água por descarga e proporcionam mais conforto.
+
+ hidromassagem
+ Construa uma banheira de hidromassagem que pode ser usada para hidroterapia, relaxamento e prazer.
+
+ sistema de água industrial
+ Construa uma bomba de água industrial e uma torre de água grande.
+
+ poço de água avançado
+ Perfure um poço mais profundo para um alcance maior de água subterrânea.
+
+ Lavagem de roupas
+ Construa uma máquina de lavar que pode lavar roupas tão bem que você nem poderia dizer que alguém morreu usando isso!
+
+ sistema de filtragem de água industrial
+ Construa um sistema de filtragem de água que trate o abastecimento de água, eliminando o risco de doenças.
+
+ biónicos de higiene
+ Crie biónicos de higiene que ajuda a processar resíduos corporais e gerenciar a higiene pessoal.
+
+ sistema de esgoto
+ Construa uma fossa que acumule esgoto e forneça uma temporaria.
+
+ sistema de tratamento de esgoto
+ Construa uma estação de tratamento de esgoto para converter lentamente o esgoto de volta em água potável.
+
+ piscina
+ Construa uma piscina.
+
+ irrigação
+ Construa um irrigador para melhorar a fertilidade do solo.
+
+ sistema de incêndio
+ Construa um sistema de incêndio para apagar o fogo.
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..d8c8bea
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+ Higiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..4c973a1
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,9 @@
+
+
+
+ banheiro público
+ banheiro privado
+ sala de sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..51ef9ff
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,14 @@
+
+
+
+ medidor de sede
+ Um medidor de velocidade de decaimento de sede.
+
+ medidor de higiene
+ Um medidor de velocidade de decaimento de higiene.
+
+ medidor de bexiga
+ Um medidor de velocidade de decaimento da bexiga.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/TerrainDef/Buildings5_Floors.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/TerrainDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..86437ec
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/TerrainDef/Buildings5_Floors.xml
@@ -0,0 +1,23 @@
+
+
+
+ ladrilho de mosaico
+ Ladrilho em um padrão de mosaico, elegante para banheiro ou cozinha.
+
+ mosaico de arenito
+ Ladrilho em um padrão de mosaico, elegante para banheiro ou cozinha.
+
+ mosaico de granito
+ Ladrilho em um padrão de mosaico, elegante para banheiro ou cozinha.
+
+ mosaico de calcário
+ Ladrilho em um padrão de mosaico, elegante para banheiro ou cozinha.
+
+ mosaico de ardósia
+ Ladrilho em um padrão de mosaico, elegante para banheiro ou cozinha.
+
+ mosaico de mármore
+ Ladrilho em um padrão de mosaico, elegante para banheiro ou cozinha.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..06756f5
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,146 @@
+
+
+
+
+
+ água da piscina
+ água
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..c693d50
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,8 @@
+
+
+
+ cocô
+ higiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsA_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsA_Hygiene.xml
new file mode 100644
index 0000000..5119c53
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsA_Hygiene.xml
@@ -0,0 +1,70 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..0889973
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,26 @@
+
+
+
+
+
+ cano
+ O encanamento é usado para conexões.
+ plumbing (blueprint)
+ plumbing (building)
+ Plumbing for connecting plumbed things.
+
+ válvula de canalização
+ Alternar a válvula aberta ou fechada.
+ plumbing valve (blueprint)
+ plumbing valve (blueprint)
+ plumbing valve (building)
+ Opens or closes connections between pipes.
+
+ tubo de ar
+ Tubulação para ar condicionado.
+ air-con pipe (blueprint)
+ air-con pipe (building)
+ Pipe for connecting air-conditioning units.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsB_Heating.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsB_Heating.xml
new file mode 100644
index 0000000..251cc45
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsB_Heating.xml
@@ -0,0 +1,35 @@
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..2b7852f
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,149 @@
+
+
+
+ porta do box
+ Porta fina que bloqueia a linha de visão das pessoas. Não evita a perda de calor.
+ stall door (blueprint)
+ stall door (building)
+ Thin door which only blocks line of sight to people using bathroom fixtures. Does not create new rooms or prevent heat loss.
+
+
+
+
+ latrina
+ Latrina é um tipo de vaso que deposita cocô em um buraco no chão. Não precisa de água.
+ latrine (blueprint)
+ latrine (blueprint)
+ latrine (building)
+ A pit latrine that collects faeces in a hole in the ground. Must be emptied manually, or can be plumbed.\n14L per use
+
+ poço de água primitivo
+ Acessa água subterrânea. A água deve ser transportada para um balde de água antes de poder ser usada para lavar ou beber.
+ primitive well (blueprint)
+ primitive well (building)
+ Accesses ground water. Water must be hauled to a water tub before it can be used for washing or drinking.
+
+ balde de água
+ Balde de água usada para lavar.
+ water tub (blueprint)
+ water tub (blueprint)
+ water tub (building)
+ Tub of water used for personal hygiene. Must be regularly refilled with fresh water, also fills with rain water. Can also be used for drinking if thirst is enabled.
+
+ bebedouro de animais
+ Bebedouro usado por animais, uma caixa de serviço com válvula que enche automaticamente a água quando o nível está baixo, reabastece também na chuva.
+ Water Trough (blueprint)
+ Water Trough (blueprint)
+ Water Trough (building)
+ Trough of water used by animals, a service box with a ballcock valve automatically refills the water when the level is low, also refills in rain.
+
+ Tigela de água
+ Tigela de água usada por animais.
+ Water Bowl (blueprint)
+ Water Bowl (blueprint)
+ Water Bowl (building)
+ Tigela de água usada por animais.
+
+ caixa de areia
+ Uma caixa de areia para depositar cocô e urina de pequenos animais.
+ litter box (blueprint)
+ litter box (blueprint)
+ litter box (building)
+ An indoor faeces and urine collection box for small animals.
+
+ buraco de resíduo
+ Elimina o cocô, queimando-o como combustível. Também pode ser usado para descartar cadáveres e outros detritos. Os colonos podem ficar doentes se passarem muito tempo perto da queima de resíduos.
+ burn pit (blueprint)
+ burn pit (building)
+ Eliminates fecal sludge by burning it as fuel. Can also be used for disposing of corpses or other detritus. Colonists may become sick if they spend too long near burning waste.
+
+
+
+
+ pia
+ pia do banheiro limpo e simples. Instruções vendidas separadamente.
+ basin (blueprint)
+ basin (blueprint)
+ basin (building)
+ Clean and simple bathroom basin for keeping your hands clean after using the toilet.
+
+ bebedouro
+ Uma bebedouro de água usada para beber e lavar.
+ fountain (blueprint)
+ fountain (blueprint)
+ fountain (building)
+ A water fountain used for drinking and washing.
+
+ pia de cozinha
+ Tudo menos uma pia de cozinha. Aumenta a limpeza do local.
+ kitchen sink (blueprint)
+ kitchen sink (blueprint)
+ kitchen sink (building)
+ Everything but a kitchen sink. Increases room cleanliness.
+
+
+
+
+ vaso sanitário
+ Aparelho de saneamento utilizado para a eliminação de urina e cocô.
+ toilet (blueprint)
+ toilet (blueprint)
+ toilet (building)
+ Sanitation fixture used for the disposal of human urine and faeces.\n14L per use
+
+ Aparelho de saneamento utilizado para a eliminação de urina e cocô.
+ ToiletAdv (blueprint)
+ ToiletAdv (blueprint)
+ ToiletAdv (building)
+ Comfortable, self cleaning, unblockable, super efficient smart toilet. Provides the optimum multi-functional experience with automatic cleansing and deodorization.\n7L per use
+
+ vaso sanitário
+ Aparelho de saneamento utilizado para a eliminação de urina e cocô.
+ smart toilet (blueprint)
+ smart toilet (blueprint)
+ smart toilet (building)
+ Comfortable, self cleaning, unblockable, super efficient smart toilet. Provides the optimum multi-functional experience with automatic cleansing and deodorization.\n7L per use
+
+
+
+
+ tapete de banheiro
+ Um pequeno tapete usado ao lado de uma banheira para absorver água.
+ Bath Mat (blueprint)
+ Bath Mat (blueprint)
+ Bath Mat (building)
+ A small mat used next to a bathtub to absorb water.
+
+ banheira
+ Banheira, um grande recipiente aberto para a água, em que uma pessoa pode lavar seu corpo.
+ bathtub (blueprint)
+ bathtub (blueprint)
+ bathtub (building)
+ Slow to use, but very comfortable. Can be heated by placing an adjacent campfire or log boiler, or via plumbed hot water tanks. Does not require a sewage outlet.\n190L per wash
+
+
+
+
+ chuveiro
+ Possui uma grande ducha de 110mm 4 pulverizado para relaxar os músculos doloridos.
+ shower (blueprint)
+ shower (blueprint)
+ shower (building)
+ Simple shower. Requires water from water towers. Can be heated via plumbed hot water tanks. Does not require a sewage outlet.\n65L per wash
+
+ chuveiro simples
+ Chuveiro simples. Requer torre de água. Pode ser aquecido através do deposito térmico. Não requer saída de esgoto.\n65L por lavagem
+ simple shower (blueprint)
+ simple shower (blueprint)
+ simple shower (building)
+ Simple shower. Requires water from water towers. Can be heated via plumbed hot water tanks. Does not require a sewage outlet.\n65L per wash
+
+ chuveiro elétrico
+ Possui uma grande ducha de 110mm 4 pulverizado para relaxar os músculos doloridos.
+ power shower (blueprint)
+ power shower (blueprint)
+ power shower (building)
+ Heats water on demand and does not need a hot water tank, cleans twice as fast\n90L per wash
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsC_Irrigation.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsC_Irrigation.xml
new file mode 100644
index 0000000..5b02601
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsC_Irrigation.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..acc0cb0
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,167 @@
+
+
+
+
+
+ piscina
+ Piscina usada para hidroterapia, relaxamento ou lazer. Deve ser enchido com torre de água primeiro.
+ swimming pool (blueprint)
+ swimming pool (building)
+ Swimming pool used for hydrotherapy, relaxation, or pleasure. Must be filled with water from water towers first.
+
+
+
+
+ hidromassagem
+ Banheira de hidromassagem usada para hidroterapia, relaxamento ou prazer. Deve ser enchido com torre de água no primeiro uso. Autoaquecida e não necessita de saida de esgoto.
+ hot tub (blueprint)
+ hot tub (blueprint)
+ hot tub (building)
+ Hot tub used for hydrotherapy, relaxation, or pleasure. Filled with water from water towers on first use. Self-heated and does not require a sewage outlet.
+
+ máquina de lavar
+ Lava roupas tão bem que nem dá para perceber que alguém morreu usando isso!
+ washing machine (blueprint)
+ washing machine (blueprint)
+ washing machine (building)
+ Washes clothes so well that you can't even tell someone died wearing it!
+
+ Aquecedor de sauna abastecido
+ Um aquecedor projetado especificamente para criar uma sala de sauna, usando uma sauna regularmente reduz o risco de ataques cardíacos, aquece uma sala a 60c.
+ Fueled Sauna Heater (blueprint)
+ Fueled Sauna Heater (blueprint)
+ Fueled Sauna Heater (building)
+ Um aquecedor projetado especificamente para criar uma sala de sauna, usando uma sauna regularmente reduz o risco de ataques cardíacos, aquece uma sala a 60c.
+
+ Aquecedor de sauna elétrica
+ Um aquecedor projetado especificamente para criar uma sala de sauna, usando uma sauna regularmente reduz o risco de ataques cardíacos, aquece uma sala a 60c.
+ Electric Sauna Heater (blueprint)
+ Electric Sauna Heater (blueprint)
+ Electric Sauna Heater (building)
+ Um aquecedor projetado especificamente para criar uma sala de sauna, usando uma sauna regularmente reduz o risco de ataques cardíacos, aquece uma sala a 60c.
+
+ Assentos de sauna
+ Assento de ripas para salas de sauna
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..26c61c4
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,81 @@
+
+
+
+
+
+ poço tubular
+ Alcanca a água subterrânea. A presença de esgoto ou outra poluição reduzirá a qualidade da água e pode causar contaminação.
+ water well (blueprint)
+ water well (building)
+ Accesses ground water which can be pumped by water pumps. The presence of sewage or other pollution will reduce water quality and can cause contamination.
+
+ poço tubular profundo
+ Alcanca uma grande área de água subterrânea que pode ser bombeada por bombas de água. O poço profundo não é afetado pela poluição.
+ deep water well (blueprint)
+ deep water well (building)
+ Accesses a large area of ground water which can be pumped by water pumps. Deep wells are unaffected by pollution.
+
+ barril de água
+ Armazena água para uso em instalações. Se a água contida ficar suja, a torre deve ser esvaziada.
+ water butt (blueprint)
+ water butt (blueprint)
+ water butt (building)
+ Stores water for use by plumbed fixtures. If the contained water becomes contaminated, the tank must be drained.
+
+ torre de água
+ Armazena água para uso em instalações. Se a água contida ficar suja, a torre deve ser esvaziada.
+ water tower (blueprint)
+ water tower (building)
+ Stores water for use by plumbed fixtures. If the contained water becomes contaminated, the tank must be drained.
+
+ torre de água industrial
+ Armazena água para uso em instalações. Se a água contida ficar suja, a torre deve ser esvaziada.
+ huge water tower (blueprint)
+ huge water tower (building)
+ Stores water for use by plumbed fixtures. If the contained water becomes contaminated, the tank must be drained.
+
+ bomba de vento
+ Bombeia água do lençol freático para torre de água. Capacidade de bombeamento: 3000L/dia.
+ wind pump (blueprint)
+ wind pump (building)
+ Pumps water from wells to water towers. Pumping capacity: 3000 L/day.
+
+ bomba de água elétrica
+ Bombeia água do lençol freático para torre de água. Capacidade de bombeamento: 1500L/dia.
+ electric pump (blueprint)
+ electric pump (blueprint)
+ electric pump (building)
+ Pumps water from wells to water towers. Pumping capacity: 1500 L/day.
+
+ bomba de agua industrial
+ Bombeia água do lençol freático para torre de água. Capacidade de bombeamento: 10000L/dia.
+ pumping station (blueprint)
+ pumping station (building)
+ Pumps water from wells to water towers. Pumping capacity: 10000 L/day.
+
+ saida de esgoto
+ Saida de esgoto que pode ser construída ao longo de um rio e canalizada para instalações.
+ sewage outlet (blueprint)
+ sewage outlet (building)
+ Can be placed anywhere. Sewage will pool and spread on land or disperse in water. Sewage cleans up over time; the presence of trees, water, or rain will speed this up.
+
+ fossa
+ Limpa lentamente o esgoto ao longo do tempo. O esgoto é direcionado primeiro para a fossa. Se atingir a capacidade máxima, o excesso é encaminhado para esgoto.
+ septic tank (blueprint)
+ septic tank (building)
+ Slowly cleans sewage over time. Sewage is directed to septic tanks first. If it reaches full capacity, excess sewage is sent to sewage outlets.
+
+ sistema de tratamento de esgoto
+ Lentamente limpa o esgoto ao longo do tempo. O esgoto é direcionado primeiramente às estações de tratamento, onde 90% são removidos, os 10% restantes são enviados para esgoto, se atingir a capacidade total, o esgoto é enviado diretamente para esgoto sem tratamento.
+ sewage treatment (blueprint)
+ sewage treatment (building)
+ Slowly cleans sewage over time. If it reaches full capacity then excess sewage is sent directly to sewage outlets without treatment.
+
+ sistema de filtragem de água
+ Limpa 99,99% dos germes! Filtra a água existente na torre de água e qualquer água utilizada pelas instalações, eliminando o risco de doenças.
+ water treatment (blueprint)
+ water treatment (building)
+ Cleans 99.99% of germs! Filters existing water in storage towers, and any water used by fixtures, eliminating the risk of disease.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..9b0709e
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,127 @@
+
+
+
+
+
+ termostato
+ Controla todos os aquecedores conectados, alternando-as entre os modos de energia ativa e inativa, se vários termostatos são usados, apenas 1 precisa estar abaixo da temperatura para ativar os aquecedores. Aquecedores e reservatórios de calor também são equipados com termostatos para controlar a temperatura da água.
+ thermostat (blueprint)
+ thermostat (blueprint)
+ thermostat (building)
+ Used to control electric and gas boilers. More than one can be placed. Connects via standard plumbing.
+
+ aquecedor
+ Produz 2.000 unidades de calor para radiadores e reservatório de calor. Aquece o quarto e os banheiros adjacentes. Requer madeira como combustível.
+ log boiler (blueprint)
+ log boiler (blueprint)
+ log boiler (building)
+ Produces 2000 heating units for piped radiators and hot water tanks. Heats the room and adjacent baths. Requires wood logs for fuel.
+
+ aquecedor à gas
+ Produz 2.000 unidades de calor para radiadores e reservatório de calor. Requer combustível químico. Pode ser controlado por termostato.
+ gas boiler (blueprint)
+ gas boiler (blueprint)
+ gas boiler (building)
+ Produces 2000 heating units for radiators and hot water tanks. Requires chemfuel for fuel. Can be controlled by thermostats.
+
+ aquecedor elétrico
+ Produz uma quantidade variável de unidades de calor para radiadores e reservatório de calor. Configuração de potência controlada manualmente. Pode ser controlado por termostato.
+ electric boiler (blueprint)
+ electric boiler (blueprint)
+ electric boiler (building)
+ Produces a variable amount of heating units for radiators and hot water tanks. Manually controlled power setting. Can be controlled by thermostats.
+
+ painel solar
+ Converte a luz do sol em calor para a água em um aquecedor ou reservatório de calor.
+ solar heater (blueprint)
+ solar heater (building)
+ Uses sunlight to heat hot water tanks and radiators. 0-2000 units of heating power depending on light level and ambient temperature.
+
+ Aquecedor geotérmico
+ Usa calor geotérmico para aquecer tanques de água quente e radiadores. 3700 unidades de aquecimento.
+ Geothermal heater (blueprint)
+ Geothermal heater (building)
+ Usa calor geotérmico para aquecer tanques de água quente e radiadores. 3700 unidades de aquecimento.
+
+ reservatório de calor
+ Recipiente para armazenamento de água quente, requer a mesma capacidade de calor de um radiador, conecte a um aquecedor ou fogão multi-combustível para aquecer a água, é construído com um termostato quando usado com um aquecedor elétrico.
+ hot water tank (blueprint)
+ hot water tank (blueprint)
+ hot water tank (building)
+ Stores hot running water for showers and baths. Connect to any boiler to heat.
+
+ radiador
+ Tão poderoso quanto um aquecedor elétrico para sala.
+ radiator (blueprint)
+ radiator (blueprint)
+ radiator (building)
+ Heats rooms using hot water from boilers. Requires 100 heating units.
+
+ radiador grande
+ Três vezes mais forte que um radiador padrão. Útil para salas maiores. Requer 300 unidades de calor.
+ large radiator (blueprint)
+ large radiator (blueprint)
+ large radiator (building)
+ Three times the output of a standard radiator. Useful for larger rooms. Requires 300 heating units.
+
+ porta-toalha
+ Porta-toalha de banheiro impressionante.
+ Towel Rail (blueprint)
+ Towel Rail (blueprint)
+ Towel Rail (building)
+ Impressive bathroom towel rail.
+
+
+
+
+ ventilador de teto 2x2
+ Resfria uma sala pela circulação de ar. Inclui uma lâmpada de luz embutida.
+ ceiling fan 2x2 (blueprint)
+ ceiling fan 2x2 (blueprint)
+ ceiling fan 2x2 (building)
+ Cools a room by circulating air. Includes a built-in lamp.
+
+ ventilador de teto 1x1
+ Resfria uma sala pela circulação de ar. Inclui uma lâmpada de luz embutida.
+ ceiling fan 1x1 (blueprint)
+ ceiling fan 1x1 (blueprint)
+ ceiling fan 1x1 (building)
+ Cools a room by circulating air. Includes a built-in lamp.
+
+ ventilador de teto 2x2 (luz negra)
+ Resfria uma sala pela circulação de ar. Inclui uma lâmpada de luz negra embutida.
+ ceiling fan 2x2 (dark) (blueprint)
+ ceiling fan 2x2 (dark) (blueprint)
+ ceiling fan 2x2 (dark) (building)
+ Cools a room by circulating air. Includes a built-in Darklight lamp.
+
+ ventilador de teto 1x1 (luz negra)
+ Resfria uma sala pela circulação de ar. Inclui uma lâmpada de luz negra embutida.
+ ceiling fan 1x1 (dark) (blueprint)
+ ceiling fan 1x1 (dark) (blueprint)
+ ceiling fan 1x1 (dark) (building)
+ Cools a room by circulating air. Includes a built-in Darklight lamp.
+
+ ar-condicionado externo
+ Unidade de ar condicionado multi-split. Coloque ao ar livre e canalize para unidades internas. Seleção do modo de energia com capacidade de 100-1000 unidades de frio.
+ air-con outdoor unit (blueprint)
+ air-con outdoor unit (blueprint)
+ air-con outdoor unit (building)
+ Multi-split air conditioner unit. Place outdoors and pipe to indoor units or freezer units. Power mode selection with 100-1000 cooling units capacity.
+
+ ar-condicionado interno
+ Unidade de ar-condicionado interno para quartos. Conecte a unidades de ar-condicionado externo. Requer 100 unidades de frio.
+ air-con indoor unit (blueprint)
+ air-con indoor unit (blueprint)
+ air-con indoor unit (building)
+ Indoor air-con unit for rooms. Connect to outdoor air-con units. Requires 100 cooling units.
+
+ freezer
+ Unidade de freezer para a criação de um freezer walk-in. Conecte a unidades de ar-condicionado externo. Requer 300 unidades de frio.
+ walk-in freezer unit (blueprint)
+ walk-in freezer unit (blueprint)
+ walk-in freezer unit (building)
+ Freezer unit for creating a walk-in freezer. Connect to outdoor air-con units. Requires 300 cooling units.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..4f2a92c
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,29 @@
+
+
+
+
+
+ irrigador
+ Irriga uma área toda manhã para melhorar a fertilidade do solo durante o dia. Requer grandes quantidades de água da torre.
+ irrigation sprinkler (blueprint)
+ irrigation sprinkler (blueprint)
+ irrigation sprinkler (building)
+ Waters the surrounding area once every morning to improve the fertility of the soil through the day. Uses 1000L each morning at max radius.
+
+ anti-incendio
+ Acionado por fogo ou alta temperatura. Apaga as chamas com um jato de água.
+ Trigger fire sprinkler
+ fire sprinkler (blueprint)
+ fire sprinkler (blueprint)
+ fire sprinkler (building)
+ Triggered by fire or high temperature. Douses flames with a spray of water.
+
+ processador de fertilizante
+ Um processador para transformar cocô em fertilizante para aumentar a fertilidade de terrenos escaváveis.
+ biosolids composter (blueprint)
+ biosolids composter (blueprint)
+ biosolids composter (building)
+ A composter for turning sewage into fertilizer for increasing the fertility of diggable terrain.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..aaa2e8e
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,11 @@
+
+
+
+ urina
+ urina no chão.
+
+ cocô
+ Alguem deixou isso aqui
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..81df0c3
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,11 @@
+
+
+
+ bexiga artificial
+ Uma bexiga artificial avançada. Um sistema de reciclagem químico que transforma os resíduos e sujeiras do corpo em moléculas que são liberada no ar.
+
+ intensificador de higiene
+ Libera mecanismo que quebram as células mortas e outras sujeiras da pele e do cabelo, liberando-os inofensivamente no ar.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..56b9739
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,22 @@
+
+
+
+ penico
+ Um receptáculo usado por um paciente de cama para urina e cocô.
+
+ fertilizante
+ Quando devidamente tratado e processado, o cocô torna-se um fertilizante que oferece um pequeno aumento na fertilidade do terreno. Útil para ambientes hostis com espaço limitado para cultivo. O fertilizante também aumenta muito a fertilidade da areia, o que pode torná-la fértil quando combinado com o irrigador.
+
+ balde de cocô
+ Um balde cheio de cocô. Pode ser despejado, queimado ou processado em um processador de fertilizante.
+
+
+
+
+ garrafa de água
+ Uma garrafa de água.
+ Beber {0}
+ Bebendo {0}.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..66f401e
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,17 @@
+
+
+
+
+
+ Mote
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..3b19bf2
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,67 @@
+
+
+
+ água limpa
+ Bebeu água refrescantemente limpa.
+
+ água suja
+ Bebeu água suja.
+
+ bebeu urina
+ Bebi minha própria urina.
+
+ envergonhado
+ Alguém me viu tomando banho e isso me deixou desconfortável.
+
+ envergonhado
+ Alguém entrou enquanto eu estava usando o banheiro!
+
+ me sujei
+ Eu não consegui segurar mais e me sujou.
+
+ banho quente
+ Eu tive um banho quente.
+
+ piscina aquecida
+ A piscina estava aquecida, foi muito relaxante.
+
+ banho de água quente
+ Eu tomei um bom banho de água quente.
+
+ banho de água fria
+ Eu tomei um banho de água fria.
+
+ banho de água gelada
+ Eu tive um banho com água congelante!.
+
+ água de água fria
+ Não havia água quente!
+
+ me aliviei
+ Aaaah muito melhor.
+
+ defecação ao ar livre
+ Eu tive que me aliviar ao ar livre.
+
+ banheiro horrível
+ Meu banheiro é um lugar horrível.
+ banheiro decente
+ Meu banheiro é muito interessante. Eu gosto disso.
+ banheiro mediano
+ Meu banheiro é meio mediano. Eu gosto disso.
+ banheiro levemente impressionante
+ Meu banheiro é realmente um pouco impressionante. Eu gosto disso.
+ banheiro impressionante
+ Meu banheiro é impressionante. Eu amo isso!
+ banheiro muito impressionante
+ Meu banheiro é muito impressionante. Este é o melhor lugar de sempre!
+ banheiro extremamente impressionante
+ Meu banheiro é extremamente impressionante. Este é o melhor lugar de sempre!
+ banheiro incrivelmente impressionante
+ Meu banheiro é incrivelmente impressionante. Este é o melhor lugar de sempre!
+
+
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..c75aa58
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,19 @@
+
+
+
+ imundo
+ Eu cheiro como se eu tivesse nadado num esgoto.
+ sujo
+ Eu me sinto um pouco sujo.
+ limpo
+ Me sinto limpo.
+ limpíssimo
+ Estou completamente limpo!
+
+ apertado
+ Eu preciso ir ao banheiro, estou prestes a explodir!
+ preciso do banheiro
+ Eu preciso ir ao banheiro rapido!.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..0758607
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,14 @@
+
+
+
+ germofóbico
+ [PAWN_nameDef] é traumatizado por germes e se lavará com muito mais frequência do que o normal.
+ higiênico
+ [PAWN_nameDef] é muito higiênico e lava com mais frequência.
+ anti-higiênico
+ [PAWN_nameDef] não gosta de tomar banho e se lavará com menos frequência.
+ desleixado
+ [PAWN_nameDef] tem padrões de limpeza muito baixos e só lavará quando for absolutamente necessário.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..db14665
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,41 @@
+
+
+
+ fertilizar
+ fertilizar
+ fertilizando
+
+ derramar esgoto
+ derramar
+ derramando esgoto
+
+ esvaziar água
+ esvaziar
+ esvaziando
+
+ dar água
+ dar água
+ dando água
+
+ administer fluids
+ give drink
+ serving drink
+
+ desentupir
+ desentupir
+ desentupindo
+
+ limpar o paciente
+ limpar
+ limpando
+
+ limpar lençol
+ limpar
+ limpando
+
+ limpar lençol
+ limpar
+ limpando
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/PortugueseBrazilian/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..5e66e55
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,49 @@
+
+
+
+ queimar
+ queimar
+ queimando no
+
+ remover esgoto
+ remover
+ removendo esgoto
+
+ pegar roupas
+ pegar
+ pegando roupas
+
+ colocar roupas
+ colocar
+ colocando roupas
+
+ colocar fertilizante
+ colocar
+ colocando fertilizante
+
+ reabastecer fertilizante
+ reabastecer
+ reabastecendo
+
+ esvaziar fossa
+ esvaziar
+ esvaziando
+
+ empty septic tank
+ empty
+ emptying
+
+ encher água
+ encher
+ enchendo
+
+ refill water
+ refill
+ refilling
+
+ limpar sujeira dentro de casa
+ limpar
+ limpando
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/PortugueseBrazilian/Keyed/DubsHygiene.xml b/1.5/Languages/PortugueseBrazilian/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..fd061d1
--- /dev/null
+++ b/1.5/Languages/PortugueseBrazilian/Keyed/DubsHygiene.xml
@@ -0,0 +1,263 @@
+
+
+
+
+ Remover cano
+ Desconstua o cano de água e esgoto.
+ Remover cocô
+ Limpe o cocô do chão e coloque-o em um balde.
+ Remova o cano
+ Remover tubo de ar
+
+
+ A sala é muito grande para aquecer!\nMáximo de 50 células por aquecedor\nAdicione mais aquecedores de sauna ou diminua a sala
+ Piscina é aquecida
+ Não é possível usar piscina agora:
+ Chovendo
+ Muito frio {0}
+ A prisão precisa de fonte de água
+ Uma cela de prisão não tem acesso a água potável, construa pelo menos uma fonte de água potável, como uma banheira ou bacia, para que os prisioneiros tenham livre acesso à água potável
+ Esta faltando torre de água
+ Uma torre de água ou barril de água é necessário para armazenar a água bombeada do lençol freático.
+ Esta faltando poço de água
+ O poço de água requer um lençol freático.
+ Esta faltando bomba de água
+ Uma bomba de água ou bomba de vento é necessário para bombear a água do lençol freático para torre de água.
+ A água esta contaminada
+ Após 2 dias de precipitação tóxica, o acúmulo contaminará todas as torres e barris de água conectado a um lençol freático.\n\nConstrua uma torre de água separada usando uma válvula no cano para corta a ligação com o lençol freático, para proteger a torre de água da contaminação, antes que seja tarde demais.\n\nVocê também pode usar um poço profundo para acessar a água não contaminada ou instalar um sistema de tratamento de água que eliminará toda a contaminação na água armazenada.
+
+ Baixa capacidade de frio. Você pode aumentar a potência das unidades externas.
+ Acesso restrito
+ Apenas {0}
+ Apenas prisioneiros
+ Saida de esgoto entupida
+ O esgoto esta com a saída entupida.\n\nConstrua um sistema de tratamento de esgoto para reduzir a quantidade de dejetos.
+ A agua esta fria
+ A temperatura da água nesta torre é muito fria, os colonos que esperam usar água quente podem ficar incomodados.\n\nAdicione outra reservatório de calor ou aquecedor.
+ Deve ser colocado sobre uma célula com lençol freático.
+ Deve estar dentro de uma sala para restringi-lo.
+ Requer torre de água
+ A atribuição requer necessidade de bexiga, mas {0} não tem necessidade de bexiga.
+
+ Sem material para o processador de fertilizante
+ Pouca água
+ O esgoto não esta acessível
+ Requer canos
+ Acesso restrito
+
+ Muito quente: {0}%
+ Na chuva: {0}%
+ Desempenho: x{0}
+ Quarto: x{0}
+ Total: x{0}
+ Mãos sujas - risco de doença
+
+ Fossa entupida
+ A fossa esta entupida, um colono deve desentupir a fossa.
+
+ Água suja
+ Um poço esta sujo.\n\nFontes da sujeira:\n{0}\n\nMova o poço ou remova as fontes da sujeira. Adicione um sistema de tratamento, que também limpará a sujeira da água com o tempo.
+ Torre de água suja
+ Uma torre de água esta suja, representando um sério risco à saúde de seus colonos. Resolva a causa da sujeira e então esvazie a torre ou construa um sistema de tratamento.
+
+ {0} contraiu {1} por não tomar banho ou lavar as mãos
+ {0} contraiu {1} por beber água não filtrada
+ {0} contraiu {1} por beber água suja
+
+
+ Alterar restrição de sexo
+ Médico
+ Limite este acessório apenas aos pacientes
+ Apenas pacientes
+ Helicóptero de Ataque
+ Unisex
+ Vincular cama
+ Conecte uma cama próxima para que herdem conforto. Mantenha a tecla shift pressionada para atribuir várias camas
+ Remover vinculo da cama
+ Remova vinculo da cama
+ Apenas animais
+ Verificação de ocupação
+ Os colonos devem verificar se alguma coisa na sala está reservada antes de tentar usar o lugar, evita que dois ou mais colonos se aproximem para usar pias e vasos sanitários no mesmo lugar
+ Colonos
+ Escravos
+ Convidados
+ Restringir colonos
+ Restringir escravos
+ Restringir convidados
+
+
+ Temperatura da Água: {0}
+ Demanda / capacidade conectada: {0} / {1} U ({2})
+ Demanda / capacidade conectada: {0} / {1} U ({2})
+ Uso de calor: {0} U
+ Uso de frio: {0} U
+ Calor/energia: {0} U / {1} volts
+ Frio/energia: {0} U / {1} volts
+ Capacidade: {0}
+ Capacidade: {0} superaquecimento
+ Temp Mínima: {0}
+ Diminui temperatura
+ Diminua a temperatura
+ Aumentar temperatura
+ Aumente a temperatura
+ Capacidade de água quente: {0}
+ Ativar termostato
+ Força o aquecedor a funcionar continuamente.
+ As saídas de ventilação devem ser mantidas fechadas!
+ Muito frio
+ Abrigo
+ Calor (capacidade): {0} U ({1})
+ Temperatura do radiador: {0}
+ Termostato anulado por reservatório de calor. Defina todas as reservatórios de calor conectados a um modo termostato.
+ Controle de termostato
+ Ligue os aquecedores por 1 hora quando a temperatura da torre de água estiver fria. Se estiver desativado, os aquecedores funcionarão continuamente e ignorarão os termostatos do ambiente.
+
+
+ Lavar as mãos
+ Lavar
+ Usar
+ Uso = {0}
+ Deve usar canos
+ Entupido
+ Encha ou esvazie a latrina
+ Correndo...
+ Descarregue agora
+ carregar: {0}/{1}
+ Sem roupa suja
+ Sem espaço
+ Sem fontes de água, sem reserva disponível.
+
+ Nível da água +50L
+ Nível da água -50L
+ Nível do reservatório de água: {0}L/h
+ Beber
+ Válvula de canalização
+ Alterna entre aberto e fechado
+ Válvula Fechada
+
+ Capacidade da bomba: {0} L/dia
+ Capacidade do lençol freático: {0} L/dia
+ Capacidade de bomba / capacidade do lençol freático: {0}/{1} L/dia ({2})
+
+ Água armazenada: {0} L
+ Água encanada armazenada: {0} L
+
+ Nível de sujeira: {0}
+
+ Diminuir raio
+ Aumentar raio
+ Qualidade de água: Não tratada - Pequeno risco de doença
+ Qualidade de água: Suja - Alto risco de doenças!
+ Qualidade de água: Filtrada - Seguro
+
+ Esvaziar água
+ Esvazie a torre ou barril e remova a água suja.
+
+ Nível da água: {0} para {1} L
+ Água
+
+ Sobrepõe-se a {0} poços
+
+
+ cocô {0}
+ Esvaziar
+ Defina o nível em que o cocô deve ser colocado em baldes. O cocô pode ser movido, derramado, queimado e transformado em fertilizante ou combustível.
+ Tratar: {1} L/d Tratando: {0} L
+ Não pode esvaziar
+ Esvazie a torre em {0}
+
+ Poço: {0}
+ O poço está cheio, esvazie agora!
+ Chutar balde de cocô
+ Derrama o balde de cocô no chão.
+
+
+ Contém fertilizante: {0}/{1} L
+ Contém cocô: {0}/{1} L
+ Fertilizante
+ Processando fertilizante: {0} ({1})
+ Processador de fertilizante não esta na temperatura ideal
+ Processador de fertilizante esta na temperatura ideal
+ Desativar raio da zona de crescimento
+ Nenhum fertilizante encontrado
+ Área de fertilizante
+ Escolher áreas para fertilizar.
+ Adicionar área
+ Remover área
+
+
+ Intervalo de pesquisa de embalagem de bebidas: {0}
+ Embalagem de bebidas: pesquise em {0}, embalagem {1}
+ Reiniciar
+ Limpeza interna
+ Permite limpar o interior primeiro com prioridade
+ Suporte para remoção de mod
+ Passos:\n\n1: Salve seu jogo imediatamente após aperta em confirmar\n2: Vá para o menu principal, desabilite o mod e reinicie o jogo\n3: carregue seu jogo salvo, ignore quaisquer avisos e salve-o novamente\nCarregue o jogo salvo mais uma vez e não havera nenhuma falta relacionada à defs!
+ Sede de animais de estimação
+ Animais de estimação precisam de água
+ É necessário reiniciar para adicionar composição e arte.\n\nreiniciar agora?
+ Composição e arte
+ Habilite composição e arte para acessórios de banheiros
+ Saia do menu principal para mudar.
+ Mod - rimefeller
+ Habilite o uso de água no Rimefeller.
+ Mod - rimatomics
+ Habilite o uso de água no Rimatomics.
+ Desative manualmente as necessidades por tipo de corpo, raça ou hediff ativo.
+ Necessidades
+ Desativar bexiga
+ Desabilitar higiene
+ Necessidades
+ Marque para habilitar
+ Prisioneiros
+ Definir se os prisioneiros devem ter necessidades
+ Convidados
+ Definir se os convidados têm necessidades
+ Privacidade
+ Os colonos se preocupam com a privacidade ao tomar banho ou usar o banheiro.
+ Frio
+ Defina se o calor deve afetar a eficiência do frio como AC padrão
+ Irrigação da chuva
+ A chuva dará o mesmo impulso que os irrigadores.
+ Alterar necessidades
+ Desative as necessidades inteiramente. Substitui todas as outras configurações.
+ Bebidas modificadas
+ Os colonos também poderão beber e embalar qualquer bebida modificada. As bebidas VGP e RimCuisine podem ser usadas como padrão, outras exigirão uma modificação de extensão para def.
+ Garrafa de água
+ Os colonos carregarão garrafas de água automaticamente em seu inventário quando puderem.\ n\nPodem não funcionar com alguns mods, para CE você precisará gerenciar manualmente seu carregamento para incluir garrafas de água, caso contrário, eles continuarão deixando-as cair.
+ Desativar necessidades
+ Principais características
+ Recursos experimentais
+ Bexiga para animais de estimação
+ Habilite a necessidade de bexiga em animais de estimação. Também adiciona caixas de areia para animais de estimação.
+ Bexiga para animais selvagens
+ Habilite a necessidade de bexiga em todos os animais selvagens.
+ Necessidade de sede
+ Habilite a necessidade de sede em todos os colonos com necessidade de bexiga. Adiciona bebedouros e garrafas de água. Requer um reinício.
+ Fertilizante visível
+ Defina se a grade de fertilizante deve ser visível
+ Colonos não humanos
+ Permite necessidades em colonos não humanos. Você pode desabilitar seres específicos com o filtro de necessidades.
+ Recursos extras
+ Modo Lite (versão lite)
+ Mude o modo para um modo simplificado que remove canos, gerenciamento de água e esgoto e quaisquer edifícios e trabalhos não diretamente relacionados à higiene e sede.\n\nIsso impedirá que muitos defs sejam carregados e exigirá uma reinicialização.\n\nSe você estiver tentando carregar um save com coisas de higiene existentes, você pode precisar salvar e recarregar após ativar
+ Você deve recarregar o jogo depois de alterar a configuração do modo Lite\n\Se você está tentando carregar um save com o higiene existente, pode precisar salvar e recarregar depois de ativar para limpar os erros
+ Refrigeradores primitivos
+ Os resfriadores primitivos têm sua lenha removida e, em vez disso, são preenchidos com água, semelhante a baldes de água.
+ Mod - SoS2 integration
+ Adiciona água e esgoto ao suporte de vida e adiciona tubos às estruturas dos navios.
+ Estoque de água x{0}
+ Wiki bad hygiene
+ Vá para o Wiki do Bad Hygiene
+ Modo de sobrevivência
+ Limita a geração padrão de lençois freáticos. Os recursos do terreno não geram mais água e o raio ao redor da água da superfície é reduzido.\n\nNão é necessário um novo jogo, funciona com salvamentos existentes.
+ Hidroponia
+ Hidroponia, têm reservatórios que precisam ser enchidos com água. As plantas morrem por falta de água em vez de energia, mas os reservatórios de água só se enchem quando a hidroponia é alimentado por energia.
+ É necessário reiniciar para adicionar e remover itens relacionados à higiene.\n\nReiniciar agora?
+
+
+
+
+
+
+
diff --git a/1.5/Languages/Russian/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/Russian/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..896c26f
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,11 @@
+
+
+
+ Гигиена
+ Вещи для гигиены колонистов.
+
+ Гигиена/Доп.
+ Дополнительные вещи для гигиены.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/Russian/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..44da3f0
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,74 @@
+
+
+
+ Видимость труб
+ Как должны отображаться трубы
+ Скрыты
+ Скрыты под полом
+ Всегда видимы
+
+ Подача насосов
+ Чит
+ Множитель подачи воды насосами
+
+
+ Гигиена
+ Чит
+ Скорость падения шкалы гигиены
+
+
+ Смыв
+ Чит
+ Количество нечистот, образующихся при каждом смыве
+
+ Жажда
+ Чит
+ Скорость падения шкалы жажды
+
+
+ Малая нужда
+ Чит
+ Скорость падения шкалы малой нужды
+
+
+ Шанс загрязнения
+ Чит
+ Шанс для колониста заразиться из-за неочищенной воды
+
+
+ Расход горячей воды
+ Чит
+ Расход горячей воды во время водных процедур
+
+
+ Нечистоты на клетку
+ Чит
+ Лимит нечистот, помещающихся на одну клетку поверхности
+
+
+ Исчезновение нечистот
+ Чит
+ Скорость исчезновения нечистот с поверхности со временем
+
+
+ Очистка нечистот
+ Чит
+ Скорость очистки нечистот в септиках и водоочистных установках
+
+
+ Орошение
+ Чит
+ Влияние орошения на плодородность почвы
+
+
+ Удобрение
+ Чит
+ Влияние удобрения на плодородность почвы
+
+
+ Плодородность
+ Чит
+ Базовое значение плодородности почвы
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/Russian/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..5911b83
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,30 @@
+
+
+
+ моется
+ моется
+
+ Несоблюдение гигиены
+ среднее
+ серьезное
+ ужасное
+
+ Диарея
+ выздоровление
+ сильная
+ начальная
+
+ Дизентерия
+ Средняя
+
+ Холера
+ средняя
+
+ Обезвоживание
+ незначительное
+ легкое
+ среднее
+ серьезное
+ острое
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/IncidentDef/Incidents_Map_Misc.xml b/1.5/Languages/Russian/DefInjected/IncidentDef/Incidents_Map_Misc.xml
new file mode 100644
index 0000000..893741a
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/IncidentDef/Incidents_Map_Misc.xml
@@ -0,0 +1,9 @@
+
+
+
+ дизентерия
+ холера
+ диарея
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/Russian/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..19c331e
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,32 @@
+
+
+
+ наполняет TargetA
+ опорожняет TargetA
+ убирает нечистоты
+ расслабляется
+ использует TargetA
+ опорожняет TargetA
+ опорожняет TargetA
+ наблюдает за циклом отжима
+ пьет дождевую воду
+ пьет воду из TargetA
+ поит TargetA
+ справляет нужду на свежем воздухе
+ моется, используя TargetA
+ принимает душ, используя TargetA
+ принимает ванну
+ моет руки
+ моет TargetA
+ выносит утку
+ прочищает TargetA
+ опрокидывает TargetA
+ наполняет бадью
+ загружает TargetA
+ разружает TargetA
+ моется
+ загружает TargetA
+ активирует TargetA
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/Russian/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..018835a
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Гигиена
+ Назначить клавиши для "Гигиены"
+
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/Russian/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..90bdf21
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,13 @@
+
+
+
+ Малая нужда
+ Во избежание болезней необходимо поддерживать соответствующий уровень естественных потребностей, вовремя избавляясь от биологических отходов и предотвращая их попадание в водные запасы.
+
+ Гигиена
+ Личную гигиену важно соблюдать для уменьшения риска возникновения болезней и поддержания здорового и счастливого состояния колонистов.
+
+ Жажда
+ Вода необходима для поддержания многих физиологических процессов. При достижении нулевой отметки шкалы организм медленно умирает от обезвоживания.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/Russian/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..27a03cd
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,9 @@
+
+
+
+
+Получить химтопливо из фекалий
+Получить партию химического топлива путём переработки фекалий
+Получает химтопливо из фекалий
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Russian/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..efdb7b8
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,56 @@
+
+
+
+ Водопровод
+ Используйте трубы, сантехнику, баки, ветряные насосы и другое оборудование для перекачки и отвода воды.
+
+ Электронасосы
+ Электрические насосы для перекачки воды под постоянным давлением.
+
+ Орошение
+ Сооружение спринклерных систем орошения для увеличения плодородности почвы.
+
+ Электрическое отопление
+ Установка электрических бойлеров и термостатов для контроля нагрева воды.
+
+ Очистка сточных вод
+ Сооружение масштабных водоочистных систем, накапливающих и перерабатывающих большие объемы сточных вод.
+
+ Фильтрация воды
+ Сооружение систем фильтрации воды, очищающих водные запасы и устраняющих риск возникновения болезней.
+
+ Умные унитазы
+ Установка умных унитазов, комфортных и в два раза более водоэффективных в сравнении с обычными.
+
+ Умный душ
+ Установка душевых с сильным напором воды, комфортных и сокращающих время, необходимое на водные процедуры, в два раза.
+
+ Компостирование
+ Правильно переработанные нечистоты становятся твердыми биоотходами, питательными для почвы и пригодными для использования в качестве удобрения.
+
+ Глубинные скважины
+ Бурение глубоких скважин, обеспечивающих доступ к большим объемам артезианских вод.
+
+ Промышленный водопровод
+ Сооружение насосов и водохранилищ промышленных масштабов.
+
+ Джакузи
+ Установка гидромассажных ванн для гидротерапии, релаксации и удовольствия.
+
+ Септик
+ Сооружение септиков, накапливающих и очищающих нечистоты с умеренной скоростью.
+
+ Централизованное отопление
+ Установка дровяных и газовых бойлеров, баков для горячей воды и радиаторов.
+
+ Раздельное кондиционирование
+ Сооружение сплит-систем кондиционирования со связанными между собой внешними и внутренними элементами и охладителями.
+
+ Пожаротушение
+ Установка спринклеров, подавляющих огонь при возгорании.
+
+ Стиральные машины
+ Установка стиральных машин, отмывающих одежду так хорошо, что никто никогда не догадается, что в ней кто-то умер.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Russian/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..db6385b
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+ Dubs Bad Hygiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/Russian/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..1f169ae
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,9 @@
+
+
+
+ Общественная ванная
+ Личная ванная
+ Общественный туалет
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/Russian/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..91b4049
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,7 @@
+
+
+
+ Отходы
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..78d552d
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+ Труба
+ Труба для создания водопровода.
+
+ Труба
+ Труба для создания водопровода.
+ труба (проект)
+ труба (в процессе сборки)
+ Труба для создания водопровода.
+
+ Кондиционерная труба
+ Труба для соединения элементов системы кондиционирования.
+ кондиционерная труба (проект)
+ кондиционерная труба (в процессе сборки)
+ Труба для соединения элементов системы кондиционирования.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..f1b4b5b
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,129 @@
+
+
+
+ Дверь кабинки
+ Тонкая дверца, создающая уединенное пространство для пользования сантехникой. Не разделяет пространство на комнаты и не препятствует передаче тепла.
+ дверь кабинки (проект)
+ дверь кабинки (в процессе сборки)
+ Тонкая дверца, создающая уединенное пространство для пользования сантехникой. Не разделяет пространство на комнаты и не препятствует передаче тепла.
+
+
+
+
+ Выгребная яма
+ Выгребная яма, накапливающая отходы жизнедеятельности. Опустошается вручную. Может быть подключена к трубам.
+ Выгребная яма (проект)
+ Выгребная яма (проект)
+ Выгребная яма (в процессе сборки)
+ Выгребная яма, накапливающая отходы жизнедеятельности. Опустошается вручную. Может быть подключена к трубам.
+
+ Колодец
+ Предоставляет доступ к грунтовым водам для наполнения бадьи.
+ колодец (проект)
+ колодец (проект)
+ Колодец (в процессе сборки)
+ Предоставляет доступ к грунтовым водам для наполнения бадьи.
+
+ Бадья
+ Бадья для водных процедур. Наполняется вручную. Может быть использована для питья.
+ бадья (проект)
+ Бадья (проект)
+ бадья (в процессе сборки)
+ Бадья для водных процедур. Наполняется вручную. Может быть использована для питья.
+
+ Лоток
+ Комнатный лоток для мочи и фекалий мелких животных.
+ лоток (проект)
+ лоток (проект)
+ лоток (в процессе сборки)
+ Комнатный лоток для мочи и фекалий мелких животных.
+
+ Яма для сжигания
+ Уничтожает фекальные массы, сжигая их в качестве топлива. Может быть использована использована для избавления от тел и других отходов. Колонисты могут заболеть, если проведут много времени поблизости.
+ яма для сжигания (проект)
+ яма для сжигания (в процессе сборки)
+ Уничтожает фекальные массы, сжигая их в качестве топлива. Может быть использована использована для избавления от тел и других отходов. Колонисты могут заболеть, если проведут много времени поблизости.
+
+
+
+
+ Фонтанчик
+ Фонтанчик для питья и мытья рук.
+ фонтанчик (проект)
+ фонтанчик (в процессе сборки)
+ фонтанчик (проект)
+ Фонтанчик для питья и мытья рук.
+
+ Раковина
+ Простая раковина для поддержания чистоты рук после пользования туалетом.
+ раковина (проект)
+ раковина (проект)
+ раковина (в процессе сборки)
+ Простая раковина для поддержания чистоты рук после пользования туалетом.
+
+ Кухонная раковина
+ Простая кухонная раковина. Помогает поддерживать чистоту в комнате.
+ кухонная раковина (проект)
+ кухонная раковина (проект)
+ кухонная раковина (в процессе сборки)
+ Простая кухонная раковина. Помогает поддерживать чистоту в комнате.
+
+
+
+
+ Унитаз
+ Сантехника предназначенная для избавления от отходов жизнедеятельности организма.
+ унитаз (проект)
+ Унитаз (проект)
+ унитаз (в процессе сборки)
+ Сантехника предназначенная для избавления от отходов жизнедеятельности организма.
+
+ умный унитаз (проект)
+ В два раза более водоэффективный по сравнению с обычным унитазом и обеспечивает оптимальный опыт пользования с автоматической очисткой и освежением воздуха.
+ умный унитаз (проект)
+ умный унитаз (проект)
+ В два раза более водоэффективный по сравнению с обычным унитазом и обеспечивает оптимальный опыт пользования с автоматической очисткой и освежением воздуха.
+
+ Умный унитаз
+ В два раза более водоэффективный по сравнению с обычным унитазом и обеспечивает оптимальный опыт пользования с автоматической очисткой и освежением воздуха.
+ умный унитаз (проект)
+ умный унитаз (проект)
+ умный унитаз (в процессе сборки)
+ В два раза более водоэффективный по сравнению с обычным унитазом и обеспечивает оптимальный опыт пользования с автоматической очисткой и освежением воздуха.
+
+
+
+
+ Ванна
+ Купание в ванне отнимает много времени и требует большого расхода воды, зато приносит несравненое удовольствие. Может быть подогрета с помощью костра или подсоединенных баков с горячей водой и не требует отвода нечистот.
+ ванна (проект)
+ ванна (проект)
+ ванна (в процессе сборки)
+ Купание в ванне отнимает много времени и требует большого расхода воды, зато приносит несравненое удовольствие. Может быть подогрета с помощью костра или подсоединенных баков с горячей водой и не требует отвода нечистот.
+
+
+
+
+ Душ
+ Простой душ, требующий доступ к воде из водонапорных башен для работы. Может быть подогрет с помощью подсоединенных баков с горячей водой и не требует отвода нечистот.
+ душ (проект)
+ душ (проект)
+ душ (в процессе сборки)
+ Простой душ, требующий доступ к воде из водонапорных башен для работы. Может быть подогрет с помощью подсоединенных баков с горячей водой и не требует отвода нечистот.
+
+ Простой душ
+ Простой душ, требующий доступ к воде из водонапорных башен для работы. Может быть подогрет с помощью подсоединенных баков с горячей водой и не требует отвода нечистот.
+ простой душ (проект)
+ простой душ (проект)
+ простой душ (в процессе сборки)
+ Простой душ, требующий доступ к воде из водонапорных башен для работы. Может быть подогрет с помощью подсоединенных баков с горячей водой и не требует отвода нечистот.
+
+ Умный душ
+ Имеет большую душевую насадку радиусом 110 мм с четырьмя сильными струями, расслабляющими ноющие мышцы, подогревает воду и сокращает необходимое время водных процедур вдвое!
+ умный душ (проект)
+ умный душ (проект)
+ умный душ (в процессе сборки)
+ Имеет большую душевую насадку радиусом 110 мм с четырьмя сильными струями, расслабляющими ноющие мышцы, подогревает воду и сокращает необходимое время водных процедур вдвое!
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..cb9a086
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,16 @@
+
+
+
+ Джакузи
+ Гидромассажная ванна для гидротерапии, релаксации и удовольствия. Наполняется водой из водохранилищ для первого использования. Имеет подогрев и не требует отвода нечистот.
+ джакузи (проект)
+ джакузи (в процессе сборки)
+ Гидромассажная ванна для гидротерапии, релаксации и удовольствия. Наполняется водой из водохранилищ для первого использования. Имеет подогрев и не требует отвода нечистот.
+
+ Стиральная машина
+ Отмывает одежду так хорошо, что никто никогда не догадается, что в ней кто-то умер!
+ стиральная машина (проект)
+ стиральная машина (в процессе сборки)
+ Отмывает одежду так хорошо, что никто никогда не догадается, что в ней кто-то умер!
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..7e0c0e4
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,87 @@
+
+
+
+
+
+ Водонапорная башня
+ Хранит воду, предназначенную для использования подсоединенной сантехникой. Если содержащаяся вода загрязнена, емкость необходимо опустошить.
+ водонапорная башня (проект)
+ водонапорная башня (в процессе сборки)
+ Хранит воду, предназначенную для использования подсоединенной сантехникой. Если содержащаяся вода загрязнена, емкость необходимо опустошить.
+
+ Большая водонапорная башня
+ Хранит воду, предназначенную для использования подсоединенной сантехникой. Если содержащаяся вода загрязнена, емкость необходимо опустошить.
+ большая водонапорная башня (проект)
+ большая водонапорная башня (в процесс сборки)
+ Хранит воду, предназначенную для использования подсоединенной сантехникой. Если содержащаяся вода загрязнена, емкость необходимо опустошить.
+
+ Бочка для воды
+ Хранит воду, предназначенную для использования подсоединенной сантехникой. Если содержащаяся вода загрязнена, емкость необходимо опустошить.
+ бочка для воды (проект)
+ бочка для воды (проект)
+ бочка для воды (в процессе сборки)
+ Хранит воду, предназначенную для использования подсоединенной сантехникой. Если содержащаяся вода загрязнена, емкость необходимо опустошить.
+
+ Слив сточных вод
+ Может быть размещен в любом месте. Нечистоты будут сбрасываться и растекаться по земле или смешиваться с водой. Со временем сточные воды очищаются. Дождь, наличие поблизости деревьев и воды ускоряют этот процесс.
+ слив сточных вод (проект)
+ слив сточных вод (в процессе сборки)
+ Может быть размещен в любом месте. Нечистоты будут сбрасываться и растекаться по земле или смешиваться с водой. Со временем сточные воды очищаются. Дождь, наличие поблизости деревьев и воды ускоряют этот процесс.
+
+ Водоочистная установка
+ Медленно очищает сточные воды. При заполнении емкости избыточные нечистоты попадают напрямую к сливам без очищения.
+ водоочистная установка (проект)
+ водоочистная установка (в процессе сборки)
+ Медленно очищает сточные воды. При заполнении емкости избыточные нечистоты попадают напрямую к сливам без очищения.
+
+ Септик
+ Медленно очищает сточные воды. При заполнении емкости избыточные нечистоты попадают напрямую к сливам без очищения.
+ септик (проект)
+ септик (в процессе сборки)
+ Медленно очищает сточные воды. При заполнении емкости избыточные нечистоты попадают напрямую к сливам без очищения.
+
+ Фильтрационная установка
+ Отфильтровывает 99,99% микроорганизмов! Фильтрует воду в водохранилищах и используемую в сантехнике, устраняя риск заболеваний.
+ фильтрационная установка (проект)
+ фильтрационная установка (в процессе сборки)
+ Отфильтровывает 99,99% микроорганизмов! Фильтрует воду в водохранилищах и используемую в сантехнике, устраняя риск заболеваний.
+
+ Электронасос
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n1500 Л/день
+ Электронасос (проект)
+ Электронасос (в процессе сборки)
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n1500 Л/день
+
+
+
+ Ветронасос
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n3000 Л/день
+ Ветронасос (проект)
+ Ветронасос (в процессе сборки)
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n3000 Л/день
+
+ Ветронасос
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n3000 Л/день
+ Ветронасос (проект)
+ Ветронасос (в процессе сборки)
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n3000 Л/день
+
+ Насосная станция
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n10000 Л/день
+ Насосная станция (проект)
+ Насосная станция (в процессе сборки)
+ Перекачивает воду из скважин и колодцев в водохранилища.\nПодача насоса:\n10000 Л/день
+
+ Скважина
+ Предоставляет доступ к грунтовым водам для перекачки насосами. Наличие нечистот или других источников загрязнения ухудшает качество воды и может стать причиной загрязнениия водохранилищ.
+ скважина (проект)
+ скважина (в процессе сборки)
+ Предоставляет доступ к грунтовым водам для перекачки насосами. Наличие нечистот или других источников загрязнения ухудшает качество воды и может стать причиной загрязнениия водохранилищ.
+
+ Глубинная скважина
+ Предоставляет доступ к артезианским водам для перекачки насосами. Вода из глубинных скважин не подвержена загрязнению.
+ глубинная скважина (проект)
+ глубинная скважина (в процессе сборки)
+ Предоставляет доступ к грунтовым водам для перекачки насосами. Вода из глубинных скважин не подвержена загрязнению.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..56beb45
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,104 @@
+
+
+
+
+
+ Термостат
+ Используется для управления электрическими и газовыми бойлерами. Подключаются с помощью водопроводных труб. В одной сети может быть установлено сразу несколько термостатов.
+ термостат (проект)
+ термостат (проект)
+ термостат (в процессе сборки)
+ Используется для управления электрическими и газовыми бойлерами. Подключаются с помощью водопроводных труб. В одной сети может быть установлено сразу несколько термостатов.
+
+ Дровяной бойлер
+ Выдает 2000 единиц тепла, потребляемого радиаторами и баками для горячей воды. Требует дрова в качестве топлива.
+ дровяной бойлер (проект)
+ дровяной бойлер (проект)
+ дровяной бойлер (в процессе сборки)
+ Выдает 2000 единиц тепла, потребляемого радиаторами и баками для горячей воды. Требует дрова в качестве топлива.
+
+ Электробойлер
+ Выдает варьируемое количество единиц тепла, потребляемого радиаторами и баками для горячей воды. Мощность настраивается вручную. Может управляться с помощью термостатов.
+ электробойлер (проект)
+ электробойлер (проект)
+ электробойлер (в процессе сборки)
+ Выдает варьируемое количество единиц тепла, потребляемого радиаторами и баками для горячей воды. Мощность настраивается вручную. Может управляться с помощью термостатов.
+
+ Газовый бойлер
+ Выдает 2000 единиц тепла, потребляемого радиаторами и баками для горячей воды. Требует химтопливо для работы. Может управляться с помощью термостатов.
+ газовый бойлер (проект)
+ газовый бойлер (проект)
+ газовый бойлер (в процессе сборки)
+ Выдает 2000 единиц тепла, потребляемого радиаторами и баками для горячей воды. Требует химтопливо для работы. Может управляться с помощью термостатов.
+
+ Солнечный нагреватель
+ Использует солнечный свет для подогрева воды в баках и радиаторах. Выдает от 0 до 2000 единиц тепла в зависимости от солнечного света и окружающей температуры.
+ солнечный нагреватель (проект)
+ солнечный нагреватель (в процесс сборки)
+ Использует солнечный свет для подогрева воды в баках и радиаторах. Выдает от 0 до 2000 единиц тепла в зависимости от солнечного света и окружающей температуры.
+
+ Бак для горячей воды
+ Содержит горячую воду для душей и ванн. Подключается к бойлеру для нагрева воды.
+ бак для горячей воды (проект)
+ бак для горячей воды (проект)
+ бак для горячей воды (в процессе сборки)
+ Содержит горячую воду для душей и ванн. Подключается к бойлеру для нагрева воды.
+
+ Радиатор
+ Отапливает комнаты, используя горячую воду. Требует 100 единиц тепла для работы.
+ радиатор (проект)
+
+ Радиатор
+ Отапливает комнаты, используя горячую воду. Требует 100 единиц тепла для работы.
+ радиатор (проект)
+ радиатор (проект)
+ радиатор (в процессе сборки)
+ Отапливает комнаты, используя горячую воду. Требует 100 единиц тепла для работы.
+
+ Большой радиатор
+ В три раза эффективнее отапливает комнаты по сравнению с обычным радиатором и подходит для обогрева больших помещений. Требует 300 единиц тепла для работы.
+ большой радиатор (проект)
+ большой радиатор (проект)
+ большой радиатор (в процессе сборки)
+ В три раза эффективнее отапливает комнаты по сравнению с обычным радиатором и подходит для обогрева больших помещений. Требует 300 единиц тепла для работы.
+
+
+
+ Потолочный вентилятор 2x2
+ Охлаждает помещение с помощью циркуляции воздуха. Имеет встроенный светильник.
+ потолочный вентилятор 2x2 (проект)
+ потолочный вентилятор 2x2 (проект)
+ потолочный вентилятор 2x2 (в процессе сборки)
+ Охлаждает помещение с помощью циркуляции воздуха. Имеет встроенный светильник.
+
+ Потолочный вентилятор 1x1
+ Охлаждает помещение с помощью циркуляции воздуха. Имеет встроенный светильник.
+ потолочный вентилятор 1x1 (проект)
+ потолочный вентилятор 1x1 (проект)
+ потолочный вентилятор 1x1 (в процессе сборки)
+ Охлаждает помещение с помощью циркуляции воздуха. Имеет встроенный светильник.
+
+ Внешний элемент кондиционирования
+ Внешний элемент сплит-системы кондиционирования. Размещается снаружи помещений и подсоединяется с помощью труб к внутренним элементам и охладителям морозильных камер. Имеет настраиваемые режимы мощности от 100 до 1000 единиц охлаждения.
+ внешний элемент кондиционера (проект)
+ внешний элемент кондиционера (проект)
+ внешний элемент кондиционера (в процессе сборки)
+ Внешний элемент сплит-системы кондиционирования. Размещается снаружи помещений и подсоединяется с помощью труб к внутренним элементам и охладителям морозильных камер. Имеет настраиваемые режимы мощности от 100 до 1000 единиц охлаждения..
+
+ Внутренний элемент кондиционирования
+ внутренний элемент сплит-системы кондиционирования. Размещается внутри помещений и подсоединяется с помощью труб к внешним элементам системы кондиционирования. Требует 100 единиц охлаждения для работы.
+ внутренний элемент кондиционера (проект)
+ Внутренний элемент кондиционера (проект)
+ внутренний элемент кондиционера (в процессе сборки)
+ Внутренний элемент сплит-системы кондиционирования. Размещается внутри помещений и подсоединяется с помощью труб к внешним элементам системы кондиционирования. Требует 100 единиц охлаждения для работы.
+
+ Охладитель морозильной камеры
+ охладитель для создания морозильной камеры. Соединяется с внешними элементами кондиционера и требует 300 единиц охлаждения для работы.
+ охладитель морозильной камеры (проект)
+ Охладитель морозильной камеры (проект)
+ охладитель морозильной камеры (в процессе сборки)
+ Охладитель для создания морозильной камеры. Соединяется с внешними элементами кондиционера и требует 300 единиц охлаждения для работы.
+ Охладитель для создания морозильной камеры. Соединяется с внешними элементами кондиционера и требует 300 единиц охлаждения для работы.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..910b74b
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,41 @@
+
+
+
+
+
+ Спринклер
+ Поливает окружающую зону каждое утро увеличивая плодородность почву в течение дня. Требует больших объемов воды для орошения.
+ Спринклер
+ Спринклер (проект)
+ Спринклер (в процессе сборки)
+ Поливает окружающую зону каждое утро увеличивая плодородность почву в течение дня. Требует больших объемов воды для орошения.
+
+ Пожарный спринклер
+ Активируется при возгорании или высокой температуре и подавляет пламя струями воды.
+ Пожарный спринклер (проект)
+ Пожарный спринклер (проект)
+ Пожарный спринклер (в процессе сборки)
+ Активируется при возгорании или высокой температуре и подавляет пламя струями воды.
+
+ Вентиль
+ Открывет либо перекрывает водные потоки в трубах.
+ Вентиль (проект)
+ Вентиль (в процессе сборки)
+ Открывет либо перекрывает водные потоки в трубах.
+
+ Компостер
+ Компостер, перерабатывающий нечистоты в удобрение, увеличивающее плодородность почвы.
+ Компостер (проект)
+ Компост (проект)
+ Компостер (в процессе сборки)
+ Компостер, перерабатывающий нечистоты в удобрение, увеличивающее плодородность почвы.
+
+ Удобрение
+ Удобрение из твердых биологических отходов, используемое для увеличения плодородности почвы на срок до года.
+ Удобрение (проект)
+ Удобрение (в процессе сборки)
+ Удобрение из твердых биологических отходов, используемое для увеличения плодородности почвы на срок до года.
+
+ Удобренная почва
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/Russian/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..0a68fee
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,12 @@
+
+
+
+ моча
+ Моча на земле.
+
+ фекалии
+ Фекалии на земле.
+ нечистоты
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/Russian/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..f39c3e4
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,13 @@
+
+
+
+ Утка
+ Сосуд для естественных отходов организма, предназначенный для прикованных к постели пациентов.
+
+ Фекалии
+ Бочка, наполненная фекалиями. Может быть опрокинута, сожжена или переработана в удобрения.
+
+ Удобрение
+ Удобрение, полученное путем переработки фекалий.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/_Terrain_Extra.xml b/1.5/Languages/Russian/DefInjected/ThingDef/_Terrain_Extra.xml
new file mode 100644
index 0000000..b438133
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/_Terrain_Extra.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Удобренная почва (проект)
+ Удобренная почва (проект)
+ Подготавливаемая почва.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/Russian/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..1f6d6ba
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,15 @@
+
+
+
+
+
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+ Mote
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/Russian/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..508c2a9
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,62 @@
+
+
+
+ Питье мочи
+ Пришлось выпить собственную мочу.
+
+ Смущение
+ Кто-то видел как я моюсь и я переживаю из-за этого.
+
+ Смущение
+ Кто-то застал меня на унитазе!
+
+ Пришлось наделать в штаны
+ Больше нельзя было сдерживать это, поэтому мне пришлось наделать в штаны.
+
+ Горячий душ
+ Приятный горячий душ.
+
+ Горячая ванна
+ Приятная горячая ванна.
+
+ Холодная ванна
+ Приятная освежающая холодная ванна.
+
+ Холодный душ
+ Приятный освежающий холодный душ.
+
+ Холодная вода
+ Нет горячей воды!
+
+ Облегчение
+ Аааах, так-то лучше.
+
+ Справление нужды на улице
+ Пришлось облегчиться на улице.
+
+ Ужасная ванная
+ Моя ванная ужасна.
+
+ Неплохая ванная
+ У меня неплохая ванная. Мне нравится.
+
+ Хорошая ванная
+ У меня хорошая ванная. Мне нравится.
+
+ Отличная ванная
+ У меня отличная ванная. Обожаю!
+
+ Прекрасная ванная
+ Моя ванная прекрасна. Это самое лучшее место!
+
+ Восхитительная ванная
+ Моя ванная восхитительна. Это самое лучшее место!
+
+ Великолепная ванная
+ Моя ванная великолепна. Это самое лучшее место!
+
+ Чудесная ванная
+ Моя ванная это самое лучшее место которое только можно представить. Это чудесно!
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/Russian/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..170c4fa
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,19 @@
+
+
+
+ В грязи
+ Пахну будто после купания в помоях.
+ Пришлось испачкаться
+ Чувствую себя грязновато.
+ Чистота
+ Чисто и свежо.
+ Чистота до скрипа
+ Аж слышно как чисто!
+
+ Меня сейчас разорвет
+ Мне срочно нужно в туалет, иначе меня разорвет!
+ Нужно в туалет
+ Мне нужно сходить в туалет.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/Russian/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..dcfc878
--- /dev/null
+++ b/1.5/Languages/Russian/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,65 @@
+
+
+
+ сжечь в яме
+ сжечь
+ сжигать, используя
+
+ сгрести нечистоты в бочки
+ сгрести нечистоты
+ сгребать нечистоты
+
+ достать компост из компостеров
+ достать компост
+ доставать компост из
+
+ наполнить компостер
+ наполнить
+ наполнять
+
+ опорожнить сортир
+ опорожнить
+ опорожнять
+
+ устранить засор
+ устранить
+ устранять
+
+ мыть пациента
+ мыть
+ мыть
+
+ вынести утку
+ вынести
+ выносить
+
+ вынести утку
+ вынести
+ выносить
+
+ опорожнить септик
+ опорожнить
+ опорожнять
+
+ поить пациента
+ поить
+ поить
+
+ загрузить стирку
+ загрузить
+ загружать
+
+ разгрузить стирку
+ разгрузить
+ разгружать
+
+ наполнить бадью
+ наполнить
+ наполнять
+
+ опрокинуть нечистоты
+ опрокинуть
+ опрокидывать
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Russian/Keyed/DubsHygiene.xml b/1.5/Languages/Russian/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..979182c
--- /dev/null
+++ b/1.5/Languages/Russian/Keyed/DubsHygiene.xml
@@ -0,0 +1,199 @@
+
+
+
+
+ Разобрать трубы
+ Назначить разборку секций труб
+ Убрать нечистоты
+ Убрать нечистоты с земли и поместить их в бочки
+ Разобрать трубопровод
+ Разобрать системы кондиционирования
+ Окрасить сантехнику
+ Окрасить сантехнику и радиаторы
+ Окрасить
+ Снять краску
+
+
+
+
+ Доступ ограничен
+ Только {0}
+ Только заключенные
+ Забился слив
+ Нечистоты скопились в сливном отверстии и забили слив.\n\nПостройте больше сливов или добавьте септик для создания буфера и уменьшения нагрузки на сливы.
+ Низкая температура воды
+ Температура воды в этой емкости слишком низкая. Колонисты, расчитывающие на горячую воду, могут расстроиться.\n\nВключите бойлеры, увеличьте нагрев или добавьте еще один бак с горячей водой.
+ Сооружение должно быть размещено на клетке с грунтовыми водами
+ Сантехника должна находиться в помещении для установки ограничений
+
+ Для назначения необходима малая нужда, у {0} ее нет
+
+ Нет компоста
+ Нет воды
+ Нет отвода нечистот
+ Требуется водопровод
+ Доступ ограничен
+
+ Слишком горячо: x{0}
+ Под дождем: x{0}
+ Физическая активность: x{0}
+ Комната: x{0}
+ Общее: x{0}
+ Грязные руки - Риск заболевания
+ Загрязнение - Риск заболевания
+
+ Забился слив
+ Забился слив, уборщику необходимо устранить засор.
+
+ Загрязненная вода
+ Источник воды сильно загрязнен. Существует риск загрязнения водохранилищ.\n\nИсточник загрязнения:\n{0} \n\nИзбавьтесь от источников загрязнения или соорудите водоочистную систему, также очищающую загрязненные водохранилища
+ Загрязненное водохранилище
+ Водохранилище загрязнено, что влечет за собой серьезные риски для здоровья ваших колонистов! Переместите водохранилища, опустошите их или создайте водоочистную систему
+
+ У поселенца по имени {0} {1} из-за грязной воды и несоблюдения личной гигиены
+ У поселенца по имени {0} {1} из-за грязной воды или немытых рук
+
+
+ Изменить гендерные ограничения
+ Медицинские
+ Ограничить эту сантехнику только для пациентов
+ Только для пациентов
+ Атака вертолетов
+ Унисекс
+ Привязать к кровати
+ Привязать сантехнику к ближайшей кровати для установки владельца
+ Убрать привязку
+ Убрать привязку к кроватям
+
+
+
+ Температура воды: {0}
+ Предоставляемый нагрев: {0} U ({1})
+ Предоставляемое охлаждение: {0} U ({1})
+ Использование нагрева: {0} U
+ Использование охлаждения: {0} U
+ Единицы нагрева/Мощность: {0} U / {1} Вт
+ Единицы охлаждения/Мощность: {0} U / {1} Вт
+ Эффективность: {0}
+ Эффективность: {0} Перегрев
+ Минимальная температура: {0}
+ Уменьшить питание
+ Уменьшение нагрева
+ Увеличить питание
+ Увеличить нагрев
+ Объем горячей воды: {0}
+ Игнорирование термостата
+ Держать бойлер непрерывно работающим вне зависмости от термостата
+ Вытяжные клапаны не должны быть перегорежены!
+ Эффективность: {0} Слишком холодно
+ Эффективность: {0}
+ Температура радиатора: {0}
+
+ Управление с помощью термостата
+ Позволить этой емкости с горячей водой задавать настройки термостата подключенным бойлерам
+
+
+ Вымыть руки
+ Мыться
+ Использовать
+ Использование = {0}
+ Должен быть водопровод
+ Забитый слив
+ Подсоедините или опорожните сортир
+ Запущена...
+ Необходимо разгрузить
+ Загрузка: {0}/{1}
+ Нет грязной одежды
+ Нет места
+
+
+ Пить
+ Переключить вентиль
+ Перекрыть или открыть вентиль
+ Вентиль перекрыт
+
+ Подача насоса: {0} Л/день
+ Объем грунтовых вод: {0} Л/день
+ Подача насоса/Объем вод: {0}/{1} Л/день ({2})
+
+ Воды запасено: {0} Л
+ Водопроводной воды запасено: {0} Л
+
+ Уровень загрязнения: {0}
+
+ Уменьшить радиус
+ Увеличить радиус
+ Качество: Неочищено - Низкий шанс заболевания
+ Качество: Загрязнено! - Высокий шанс заболевания!
+ Качество: Очищено - Безопасно
+
+ Опустошить емкость
+ Опустошить емкость и избавиться от загрязнения
+
+ Значение воды: {0} за {1}Л
+ Вода
+
+
+ Опустошение
+ Установите уровень, при котором фекалии должны быть слиты в бочки, которые могут быть перемещены и опрокинуты, сожжены или превращены в биоотходы
+ Очистка: {0} Л/день Содержит: {1} Л ({2})
+ Не опустошать
+ Опустошать емкость при {0}
+
+ Яма: {0}
+ Яма заполнена, опустошите ее!
+ Опрокинуть
+ Расплескать эту бочку с фекалиями на землю
+
+
+ Содержит компоста {0}/{1}
+ Содержит фекалий {0}/{1}
+ Удобрен
+ Прогресс компостирования {0} ({1})
+ Неидеальная температура
+ Идеальная температура для компостирования
+
+
+
+
+ Перейдите в главное меню для изменения
+ Rimefeller подключен
+ Разрешить использование воды для расщепителей и нефтепереработчиков в Rimefeller
+ Rimatomics подключен
+ Разрешить использование воды в охладительных установках в Rimatomics
+ Отключить вручную нужды в завимости от типа тела, расы и состояния здоровья
+ Фильтры нужд
+ Отключить малую нужду
+ Отключить нужду в гигиене
+ Нужды
+ Отметьте для включения
+ Пленники
+ Будут ли пленники иметь нужды
+ Гости
+ Будут ли гости иметь нужды
+ Приватность
+ Колонисты беспокоятся о приватности во время водных процедур и использования туалетов
+ Эффективность охлаждения
+ Должны ли высокие температуры влиять на эффективность охлаждения, как в случае со стандартными кондиционерами
+
+ Переключить нужды
+ Полностью отключить нужды. Перезаписывает все остальные настройки
+
+ Экспериментальные функции
+ Малая нужда питомцев
+ Будут ли питомцы справлять малую нужду
+ Малая нужда диких животных
+ Будут ли все дикие животные справлять малую нужду
+ Жажда
+ Включить жажду для всех колонистов с малой нуждой
+ Удобрения видимы
+ Должна ли клетка удобрения быть видимой
+ Нечеловеские колонисты
+ Включить нужды нечеловеческих колонистов. Вы можете отключить отдельных существ во вкладке "Фильтры нужд"
+ Обнажаться во время мытья
+ Снятие одежды во время мытья. Отключите для исправления конфликтов модов
+
+ Добавить Dub's Paint Shop
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/Spanish/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..41819d1
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Higiene
+ Objetos para la higiene de los colonos.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml b/1.5/Languages/Spanish/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..465e511
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+ azulejo mosaico
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..c9565c0
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,209 @@
+
+
+
+ Visibilidad de las tuberías
+ Oculto
+ Escondido bajo el suelo
+ Siempre visible
+ Como quieres que se vean las tuberías en el juego
+
+ Necesidad Higiene
+ Como de rápido disminuye la necesidad de higiene
+ Parámetros
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Necesidad Vejiga
+ Como de rápido disminuye la necesidad de orinar
+ Parámetros
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Tamaño Cisterna
+ Cantidad de aguas residuales producidas al tirar de la cadena
+ Parámetros
+ 25%
+ 50%
+ 100%
+ 150%
+ 200%
+ 250%
+
+ Necesidad Sed
+ Como de rápido disminuye la necesidad de sed
+ Parámetros
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Prob.Contaminación
+ Probabilidad de que un colono se contamine con agua no tratada
+ Parámetros
+ 10%
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 175%
+ 200%
+
+ Capacidad Bombeo
+ Capacidad de bombeo de las bombas de agua
+ Parámetros
+ 200%
+ 100%
+ 50%
+ 25%
+ 50%
+ 25%
+
+ Agua Caliente
+ Cantidad de agua caliente que se utiliza durante el lavado
+ Parámetros
+ 50%
+ 100%
+ 150%
+ 200%
+ 150%
+ 200%
+
+ Residuos Max.
+ Cantidad de aguas residuales que caben en una celda de la superficie
+ Parámetros
+ 400%
+ 200%
+ 100%
+ 80%
+ 60%
+ 20%
+
+ Limpieza Residuos
+ La rapidez con la que se limpian las aguas residuales en la superficie en el transcurso del tiempo
+ Parámetros
+ 300%
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+ 0%
+
+ Depuración Residuos
+ La rapidez con la que se depuran las aguas residuales en las fosas sépticas y en el tratamiento de las aguas residuales
+ Parámetros
+ 200%
+ 100%
+ 75%
+ 25%
+ 75%
+ 50%
+ 25%
+ 10%
+
+ Efectividad del Riego
+ Cuanto influye el riego en la fertilidad del terreno
+ Parámetros
+ 240%
+ 220%
+ 200%
+ 180%
+ 160%
+ 140%
+ 120%
+ 110%
+
+ Efec. Fertilizante
+ Cuanto influye el fertilizante en la fertilidad del terreno
+ Parámetros
+ 160%
+ 140%
+ 120%
+ 110%
+ 108%
+ 106%
+ 104%
+ 102%
+
+ Fertilidad Terreno
+ Valor inicial de la fertilidad del terreno
+ Parámetros
+ 180%
+ 140%
+ 120%
+ 110%
+ 100%
+ 90%
+ 80%
+ 60%
+ 40%
+ 20%
+
+ Duración Fertilzante
+ Cuanto tiempo permanece el terreno fertilizado después de aplicar el fertilizante
+ Parámetros
+ 240 días (3 años)
+ 180 días
+ 120 días (2 años)
+ 80 días
+ 60 días (1 año)
+ 40 días
+ 30 días
+ 20 días
+ 10 días
+ 1 día
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml b/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..4f8ac3c
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ duchándose con TargetA
+ dándose un baño
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml b/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
new file mode 100644
index 0000000..68bd319
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+ nadando
+ relajándose
+ usando la sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/Spanish/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..143cd99
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,78 @@
+
+
+
+
+
+ lavado
+ Estar limpio disminuye la probabilidad de contraer enfermedades.
+ lavado
+
+
+
+ mala higiene
+ Una mala higiene aumentará el riesgo de contraer enfermedades y afectará a la interacción social.
+ moderada
+ severa
+ extrema
+
+
+
+ diarrea
+ La diarrea se caracteriza por las heces sueltas, acuosas y frecuentes.
+ recuperando
+ considerable
+ inicial
+
+
+
+ disentería
+ La disentería es un tipo de gastroenteritis que produce diarrea con sangre.
+ menor
+ severa
+ extrema
+
+
+
+ cólera
+ El cólera es una enfermedad infecciosa que provoca una grave diarrea acuosa, que puede conducir a la deshidratación e incluso a la muerte si no se trata.
+ menor
+ moderado
+ grave
+ extremo
+
+
+
+ deshidratación
+ La deshidratación es un trastorno que puede producirse cuando la pérdida de líquidos corporales, principalmente agua, supera a la cantidad ingerida.
+ trivial
+ menor
+ moderado
+ grave
+ extremo
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Spanish/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..40ae5a2
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+ vejiga biónica
+ Se implantó una vejiga biónica.
+ una vejiga biónica
+
+ amplificador higiénico
+ Se implantó un amplificador higiénico.
+ un amplificador higiénico
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/Spanish/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..05d7355
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,65 @@
+
+
+
+
+
+ activando TargetA
+ vaciando TargetA
+ vaciando TargetA
+
+
+
+ cargando TargetA
+ descargando TargetA
+ llenando TargetA
+ sacando compostaje del TargetA
+ eliminando las aguas residuales
+ observando el proceso de centrifugado
+ volcando el TargetA.
+ vaciando el TargetA.
+ fertilizando la tierra
+ bebiendo agua
+ bebiendo agua del TargetA
+ llenando botella con agua del TargetA
+ almacenando agua del TargetA
+ llevando agua a TargetB
+ utilizando el TargetA
+ cagando al aire libre
+ lavando con un TargetA
+ lavando
+ lavándose las manos
+ lavando a TargetA
+ lavándose en la TargetA
+ lavándose en la TargetA
+ rellenando el barreño
+ rellenando con agua
+ limpiando el orinal
+ desatascando el TargetA obstruido
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/JobDef/JoyGivers.xml b/1.5/Languages/Spanish/DefInjected/JobDef/JoyGivers.xml
new file mode 100644
index 0000000..68bd319
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/JobDef/JoyGivers.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+ nadando
+ relajándose
+ usando la sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/Spanish/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..72d388d
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+ hidroterapia
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/Spanish/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..276e7a4
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+ Pestaña Higiene
+ Atajos de teclado para la sección "Higiene" en el menú del Arquitecto
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/Spanish/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..ce0fd92
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,27 @@
+
+
+
+
+
+ Vejiga
+ Para prevenir el riesgo de enfermedades es importante mantener un buen nivel de saneamiento, eliminando o tratando los residuos y evitando que las aguas residuales contaminen el suministro de agua.
+
+
+
+
+
+ Higiene
+ Una buena higiene personal es importante para reducir el riesgo de contraer enfermedades y mantener a los colonos felices y sanos.
+
+
+
+
+
+ Sed
+ El agua es necesaria para muchos de los procesos fisiológicos de la vida. Si ésta llega a cero, la criatura morirá lentamente por deshidratación.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Spanish/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..a576cb7
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+ Implantar: Vejiga biónica
+ Implanta una vejiga biónica en el usuario objetivo.
+ Implantando: Vejiga biónica.
+
+
+
+ Implantar: Amplificador higiénico
+ Implanta un amplificador higiénico en el usuario objetivo.
+ Implantando: Amplificador higiénico.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/Spanish/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..73c920c
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+ Destilar: Biocombustible de residuos fecales
+ Produce un lote de biocombustible a partir de residuos fecales.
+ Destilando: Biocombustible de residuos fecales.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Spanish/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..f31d8c7
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,136 @@
+
+
+
+
+
+ Compostaje de Residuos
+ Al tratar y procesar adecuadamente las aguas residuales o los residuos fecales, estos se convierten en biosólidos capaces de propocionar un ligero aumento a la fertilidad del terreno.\nEs útil en entornos con poco espacio disponible para el cultivo.\nLos biosólidos también producen un importante aumento a la fertilidad en terrenos arenosos cuando se combinan con el riego.
+
+
+
+ Aire Acondicionado Multisplit
+ Construir sistemas de aire acondicionado multisplit con módulos exteriores conectados a módulos interiores y de congelación.
+
+
+
+ Fontanería
+ Utilizar tuberías, instalaciones de fontanería, tanques de almacenamiento, bombeo eólico, aparatos para suministrar y depurar el agua.
+
+
+
+ Calefacción
+ Construye calderas de leña que pueden utilizarse para calentar habitaciones e incluso pueden colocarse junto a los baños para calentar el agua de la bañera.
+
+
+
+ Calefacción Central
+ Construye sistemas de calefacción central con radiadores, depósitos de agua caliente, calderas y termostatos.
+
+
+
+ Calefacción Geotérmica
+ Construye calentadores geotérmicos sobre los géiseres para suministrar el calor a la calefacción central y a los depósitos de agua caliente.
+
+
+
+ Saunas
+ Construye una habitación dedicada con una sauna donde los colonos puedan relajarse y limpiarse.\nSu uso frecuente puede reducir la probabilidad de padecer ataques al corazón.
+
+
+
+ Baños Modernos
+ Construye equipamiento de baño de estilo moderno, como inodoros y duchas.
+
+
+
+ Bomba de Agua Eléctrica
+ Bombas de agua motorizadas para el bombeo continuo de agua a presión.
+
+
+
+ Duchas Avanzadas
+ Construye duchas de alta presión que reducen a la mitad el tiempo de ducha y mejoran el confort.
+
+
+
+ Inodoros Avanzados
+ Construye inodoros inteligentes cómodos, autolimpiables y súper eficientes.
+
+
+
+ Jacuzzis
+ Construye bañeras de hidromasaje que pueden utilizarse para tratamientos de hidroterapia, relajación y placer.
+
+
+
+ Nivel Industrial
+ Construye bombas de agua y depósitos de almacenamiento a escala industrial.
+
+
+
+ Pozos Profundos
+ Permite cavar pozos más profundos para acceder a zonas más extensas de aguas subterráneas.
+
+
+
+ Lavadoras
+ Fabrica lavadoras que puedan lavar la ropa tan bien, que no puedas distinguir si se trata de la ropa de un muerto.
+
+
+
+ Sistema de Filtración
+ Construye sistemas de filtración de agua que traten el suministro de agua, eliminando el riesgo de enfermedades.
+
+
+
+ Higiene Biónica
+ Fabrica componentes biónicos que ayuden a procesar los residuos corporales y a gestionar la higiene personal.
+
+
+
+ Fosas Sépticas
+ Construye fosas sépticas que almacenen las aguas residuales y proporcionen un tratamiento adecuado de las mismas.
+
+
+
+ Depuración de Aguas residuales
+ Permite construir un gran sistema de depuración que proporciona gran capacidad de almacenamiento de las aguas residuales y un tratamiento rápido de las mismas.
+
+
+
+ Piscinas
+ Permite la construcción de piscinas.
+
+
+
+ Sistema de Riego
+ Permite la fabricación de aspersores de riego que favorecen la fertilidad del terreno.
+
+
+
+ Extinción de Incendios
+ Permite la fabricación de rociadores capaces de apagar el fuego mediante chorros de agua.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/Spanish/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..db6385b
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+ Dubs Bad Hygiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/Spanish/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..b0c20d2
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+ Baño Público
+ Baño Privado
+ Zona de Sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/Spanish/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..fe92745
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,23 @@
+
+
+
+
+
+ factor de tasa de sed
+ Un multiplicador que determina la rapidez de tener sed.
+
+
+
+ factor de tasa de higiene
+ Un multiplicador que determina la rapidez con la que desciende el nivel de higiene.
+
+
+
+ factor de tasa de vejiga
+ Un multiplicador que determina la rapidez con la que desciende el nivel de vejiga.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/TerrainDef/Buildings5_Floors.xml b/1.5/Languages/Spanish/DefInjected/TerrainDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..8583251
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/TerrainDef/Buildings5_Floors.xml
@@ -0,0 +1,42 @@
+
+
+
+
+
+ azulejo mosaico de acero
+ Azulejos de acero en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de arenisca
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de granito
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de caliza
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de pizarra
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de mármol
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/Spanish/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..1cfdd48
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ agua de piscina
+ agua
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/Spanish/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..a97905b
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Residuos
+ Higiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..b24e99d
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,46 @@
+
+
+
+
+
+
+
+ Tubería
+ Tuberías para conectar los componentes del suministro de agua.
+ Tubería (anteproyecto)
+ Tubería (construcción)
+ Tuberías para conectar los componentes del suministro de agua.
+
+
+
+ Válvula de fontanería
+ Abre o cierra conexiones entre tuberías.
+ Válvula de fontanería (anteproyecto)
+ Válvula de fontanería (anteproyecto)
+ Válvula de fontanería (construcción)
+ Abre o cierra conexiones entre tuberías.
+
+
+
+ Tubo de aire acondicionado
+ Tubo para conectar los módulos de aire acondicionado.
+ Tubo de aire acondicionado (anteproyecto)
+ Tubo de aire acondicionado (construcción)
+ Tubo para conectar los módulos de aire acondicionado.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..870b6bc
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,252 @@
+
+
+
+
+
+ Separador de inodoro
+ Panel delgado que bloquea la línea de visión entre las personas que utilizan los baños otorgando mayor privacidad. No crea nuevas habitaciones ni evita la pérdida de calor.
+ Separador de inodoro (anteproyecto)
+ Separador de inodoro (construcción)
+ Panel delgado que bloquea la línea de visión entre las personas que utilizan los baños otorgando mayor privacidad. No crea nuevas habitaciones ni evita la pérdida de calor.
+
+
+
+
+
+
+ Letrina
+ Una letrina de hoyo es un tipo de letrina que acumula el excremento humano en un hoyo en el suelo. Debe vaciarse manualmente o puede conectarse a la red de tuberías.\nGasta 14L por cada uso.
+ Letrina (anteproyecto)
+ Letrina (anteproyecto)
+ Letrina (construcción)
+ Una letrina de hoyo es un tipo de letrina que acumula el excremento humano en un hoyo en el suelo. Debe vaciarse manualmente o puede conectarse a la red de tuberías.\nGasta 14L por cada uso.
+
+
+
+ Pozo primitivo
+ Permite el acceso a las aguas subterráneas. El agua debe ser transportada a un recipiente antes de ser utilizada para lavar o beber.
+ Pozo primitivo (anteproyecto)
+ Pozo primitivo (construcción)
+ Permite el acceso a las aguas subterráneas. El agua debe ser transportada a un recipiente antes de ser utilizada para lavar o beber.
+
+
+
+ Barreño
+ Barreño de agua que se utiliza para la higiene personal. Debe rellenarse regularmente con agua limpia y se puede llenar con agua de lluvia.\nTambién se puede utilizar para beber si se habilita la sed.
+ Barreño (anteproyecto)
+ Barreño (anteproyecto)
+ Barreño (construcción)
+ Barreño de agua que se utiliza para la higiene personal. Debe rellenarse regularmente con agua limpia y se puede llenar con agua de lluvia.\nTambién se puede utilizar para beber si se habilita la sed.
+
+
+
+ Bebedero
+ Bebedero de agua utilizado por los animales, se rellena automáticamente cuando el nivel del agua es bajo mediante una válvula de bola.\nLa lluvia también puede rellenar de agua el bebedero.
+ Bebedero (anteproyecto)
+ Bebedero (anteproyecto)
+ Bebedero (construcción)
+ Bebedero de agua utilizado por los animales, se rellena automáticamente cuando el nivel del agua es bajo mediante una válvula de bola.\nLa lluvia también puede rellenar de agua el bebedero.
+
+
+
+ Cuenco de agua
+ Cuenco de agua utilizado por los animales domésticos.
+ Cuenco de agua (anteproyecto)
+ Cuenco de agua (anteproyecto)
+ Cuenco de agua (construcción)
+ Cuenco de agua utilizado por los animales domésticos.
+
+
+
+ Caja de arena
+ Una caja de arena para interiores, donde los animales pequeños depositan sus heces y orina.
+ Caja de arena (anteproyecto)
+ Caja de arena (anteproyecto)
+ Caja de arena (construcción)
+ Una caja de arena para interiores, donde los animales pequeños depositan sus heces y orina.
+
+
+
+ Foso de incineración
+ Elimina los residuos fecales quemándolos como combustible. También puede utilizarse para eliminar cadáveres u otros desechos.\nEstar demasiado tiempo cerca de los residuos quemados puede ser perjudicial para la salud.
+ Fosa de incineración (anteproyecto)
+ Fosa de incineración (construcción)
+ Elimina los residuos fecales quemándolos como combustible. También puede utilizarse para eliminar cadáveres u otros desechos.\nEstar demasiado tiempo cerca de los residuos quemados puede ser perjudicial para la salud.
+
+
+
+
+
+
+ Lavabo
+ Lavabo limpio y sencillo para asearse y mantener las manos limpias después de ir al baño.
+ Lavabo (anteproyecto)
+ Lavabo (anteproyecto)
+ Lavabo (construcción)
+ Lavabo limpio y sencillo para asearse y mantener las manos limpias después de ir al baño.
+
+
+
+ Fuente
+ Una fuente de agua utilizada para beber y lavarse.
+ Fuente (anteproyecto)
+ Fuente (anteproyecto)
+ Fuente (construcción)
+ Una fuente de agua utilizada para beber y lavarse.
+
+
+
+ Fregadero de cocina
+ Fregadero de cocina. Aumenta la limpieza de la habitación.
+ Fregadero de cocina (anteproyecto)
+ Fregadero de cocina (anteproyecto)
+ Fregadero de cocina (construcción)
+ Fregadero de cocina. Aumenta la limpieza de la habitación.
+
+
+
+
+
+
+ Inodoro
+ Aparato sanitario utilizado para recoger y evacuar los excrementos sólidos y líquidos de las personas hacia una instalación de saneamiento que impide, mediante un sistema de sifón de agua limpia, la salida de los olores desagradables de la cloaca o alcantarillado hacia los espacios habitados.\n14L por cada uso.
+ Inodoro (anteproyecto)
+ Inodoro (anteproyecto)
+ Inodoro (construcción)
+ Aparato sanitario utilizado para recoger y evacuar los excrementos sólidos y líquidos de las personas hacia una instalación de saneamiento que impide, mediante un sistema de sifón de agua limpia, la salida de los olores desagradables de la cloaca o alcantarillado hacia los espacios habitados.\n14L por cada uso.
+
+ Inodoro inteligente
+ Inodoro inteligente cómodo, autolimpiable, desatascable y súper eficiente. Proporciona una experiencia multifuncional óptima con limpieza y desodorización automática.\n7L por cada uso.
+ Inodoro inteligent (anteproyecto)
+ Inodoro inteligent (anteproyecto)
+ Inodoro inteligent (construcción)
+ Inodoro inteligente cómodo, autolimpiable, desatascable y súper eficiente. Proporciona una experiencia multifuncional óptima con limpieza y desodorización automática.\n7L por cada uso.
+
+
+
+
+
+
+ Alfombra de baño
+ Una pequeña alfombra que se utiliza junto a la bañera para absorber el agua.
+ Alfombra de baño (anteproyecto)
+ Alfombra de baño (anteproyecto)
+ Alfombra de baño (construcción)
+ Una pequeña alfombra que se utiliza junto a la bañera para absorber el agua.
+
+ Bañera
+ Lento de usar, pero muy cómodo. Se puede calentar colocando una hoguera o una caldera de leña adyacente, o mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n190L por cada lavado.
+ Bañera (anteproyecto)
+ Bañera (anteproyecto)
+ Bañera (construcción)
+ Lento de usar, pero muy cómodo. Se puede calentar colocando una hoguera o una caldera de leña adyacente, o mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n190L por cada lavado.
+
+
+
+
+
+
+ Ducha
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+ Ducha (anteproyecto)
+ Ducha (anteproyecto)
+ Ducha (construcción)
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+
+
+
+ Ducha simple
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+ Ducha simple (anteproyecto)
+ Ducha simple (anteproyecto)
+ Ducha simple (construcción)
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+
+
+
+ Ducha eléctrica
+ Calienta el agua según la demanda y no necesita un depósito de agua caliente y consigue limpiar el doble de rápido.\n90 litros por cada lavado.
+ Ducha eléctrica (anteproyecto)
+ Ducha eléctrica (anteproyecto)
+ Ducha eléctrica (construcción)
+ Calienta el agua según la demanda y no necesita un depósito de agua caliente y consigue limpiar el doble de rápido.\n90 litros por cada lavado.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..b174e83
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,79 @@
+
+
+
+
+
+ Piscina
+ Piscina utilizada para tratamientos de hidroterapia, relajación o placer. Debe llenarse primero con agua procedente de las torres de agua.
+ Piscina (anteproyecto)
+ Piscina (construcción)
+ Piscina utilizada para tratamientos de hidroterapia, relajación o placer. Debe llenarse primero con agua procedente de las torres de agua.
+
+
+
+ Jacuzzi
+ Bañera de hidromasaje utilizada para tratamientos de hidroterapia, relajación o placer. Se llena con agua procedente de las torres de agua en su primer uso. Se autocalienta y no requiere una salida de aguas residuales.
+ Jacuzzi(plano)
+ Tina caliente(plano)
+ Jacuzzi(construcción)
+ Bañera de hidromasaje utilizada para tratamientos de hidroterapia, relajación o placer. Se llena con agua procedente de las torres de agua en su primer uso. Se autocalienta y no requiere una salida de aguas residuales.
+
+
+
+ Lavadora
+ Lava la ropa tan bien que ni siquiera puedes decir que alguien murió usándola
+ Lavadora (anteproyecto)
+ Lavadora (anteproyecto)
+ Lavadora (construcción)
+ Lava la ropa tan bien que ni siquiera puedes decir que alguien murió usándola
+
+
+
+ Sauna
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+ Sauna (anteproyecto)
+ Sauna (anteproyecto)
+ Sauna (construcción)
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+
+
+
+ Sauna eléctrica
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+ Sauna eléctrica (anteproyecto)
+ Sauna eléctrica (anteproyecto)
+ Sauna eléctrica (construcción)
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+
+ Asientos para la sauna
+ Asientos de rejilla para salas de sauna.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..6a60871
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,80 @@
+
+
+
+
+
+ Pozo de agua
+ Permite el acceso a las aguas subterráneas de las que se puede extraer el agua mediante la utilización de bombas de agua. La presencia de aguas residuales u otro tipo de impurezas reducirá la calidad del agua e incluso podría contaminarla.
+ Pozo de agua (anteproyecto)
+ Pozo de agua (construcción)
+ Permite el acceso a las aguas subterráneas de las que se puede extraer el agua mediante la utilización de bombas de agua. La presencia de aguas residuales u otro tipo de impurezas reducirá la calidad del agua e incluso podría contaminarla.
+
+ Pozo de agua profundo
+ Permite el acceso a una gran superficie de agua subterránea de la que se puede extraer agua mediante el sistema de bombeo. Los pozos profundos no se ven afectados por la contaminación.
+ Pozo de agua profundo (anteproyecto)
+ Pozo de agua profundo (construcción)
+ Permite el acceso a una gran superficie de agua subterránea de la que se puede extraer agua mediante el sistema de bombeo. Los pozos profundos no se ven afectados por la contaminación.
+
+ Depósito de agua
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, el depósito debe ser vaciado.
+ Depósito de agua (anteproyecto)
+ Depósito de agua (anteproyecto)
+ Depósito de agua (construcción)
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, el depósito debe ser vaciado.
+
+ Torre de agua
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+ Torre de agua (anteproyecto)
+ Torre de agua (construcción)
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+
+ Torre de agua grande
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+ Torre de agua grande (anteproyecto)
+ Torre de agua grande (construcción)
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+
+ Bomba de agua eólica
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 3000 L/día.
+ Bomba de agua eólica (anteproyecto)
+ Bomba de agua eólica (construcción)
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 3000 L/día.
+
+ Bomba de agua eléctrica
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 1500 L/día.
+ Bomba de agua eléctrica (anteproyecto)
+ Bomba de agua eléctrica (anteproyecto)
+ Bomba de agua eléctrica (construcción)
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 1500 L/día.
+
+ Estación de bombeo
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 10000 L/día.
+ Estación de bombeo (anteproyecto)
+ Estación de bombeo (construcción)
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 10000 L/día.
+
+ Salida de aguas residuales
+ Puede colocarse en cualquier lugar. Las aguas residuales pueden acumularse y esparcirse por el terreno o por el agua.\nLas aguas residuales se limpian a lo largo del tiempo y la presencia de árboles, agua o lluvia pueden acelerar este proceso.
+ Salida de aguas residuales (anteproyecto)
+ Salida de aguas residuales (construcción)
+ Puede colocarse en cualquier lugar. Las aguas residuales pueden acumularse y esparcirse por el terreno o por el agua.\nLas aguas residuales se limpian a lo largo del tiempo y la presencia de árboles, agua o lluvia pueden acelerar este proceso.
+
+ Fosa séptica
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Las aguas residuales se dirigen primero a las fosas sépticas. Si alcanza su capacidad máxima, el exceso de aguas residuales se expulsa por los desagües.
+ Fosa séptica (anteproyecto)
+ Fosa séptica (construcción)
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Las aguas residuales se dirigen primero a las fosas sépticas. Si alcanza su capacidad máxima, el exceso de aguas residuales se expulsa por los desagües.
+
+ Depuración de aguas residuales
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Si alcanza su capacidad máxima, el exceso de aguas residuales se envía directamente a los desagües sin tratamiento.
+ Depuración de aguas residuales (anteproyecto)
+ Depuración de aguas residuales (construcción)
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Si alcanza su capacidad máxima, el exceso de aguas residuales se envía directamente a los desagües sin tratamiento.
+
+ Tratamiento del agua
+ ¡Elimina el 99.99% de los gérmenes! Filtra el agua existente en los depósitos de almacenamiento y en las instalaciones, eliminando el riesgo de enfermedades.
+ Tratamiento del agua (anteproyecto)
+ Tratamiento del agua (construcción)
+ ¡Elimina el 99.99% de los gérmenes! Filtra el agua existente en los depósitos de almacenamiento y en las instalaciones, eliminando el riesgo de enfermedades.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..39b9853
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,131 @@
+
+
+
+
+
+ Termostato
+ Se utiliza para controlar las calderas eléctricas y de gas. Puede colocarse más de una y se conecta a través de la fontanería.
+ Termostato (anteproyecto)
+ Termostato (anteproyecto)
+ Termostato (construcción)
+ Se utiliza para controlar las calderas eléctricas y de gas. Puede colocarse más de una y se conecta a través de la fontanería.
+
+ Caldera de leña
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nPermite calentar las habitaciones y los baños adyacentes.\nRequiere el uso de madera como combustible.
+ Caldera de leña (anteproyecto)
+ Caldera de leña (anteproyecto)
+ Caldera de leña (construcción)
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nPermite calentar las habitaciones y los baños adyacentes.\nRequiere el uso de madera como combustible.
+ Modo Potencia
+
+ Caldera de gas
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nRequiere de biocombustible para funcionar.\nPuede controlarse utilizando un termostato.
+ Caldera de gas (anteproyecto)
+ Caldera de gas (anteproyecto)
+ Caldera de gas (construcción)
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nRequiere de biocombustible para funcionar.\nPuede controlarse utilizando un termostato.
+ Modo Potencia
+
+ Caldera eléctrica
+ Proporciona una cantidad variable de calor para radiadores y depósitos de agua caliente. Ajuste de potencia controlado manualmente.\nPuede ser controlado con termostatos.
+ Caldera eléctrica (anteproyecto)
+ Caldera eléctrica (anteproyecto)
+ Caldera eléctrica (construcción)
+ Proporciona una cantidad variable de calor para radiadores y depósitos de agua caliente. Ajuste de potencia controlado manualmente.\nPuede ser controlado con termostatos.
+ Modo Potencia
+
+ Calentador solar
+ Utiliza la luz solar para calentar los depósitos de agua caliente y los radiadores. 0-2000 unidades de potencia calorífica en función del nivel de luz y la temperatura ambiente.
+ Calentador solar (anteproyecto)
+ Calentador solar (construcción)
+ Utiliza la luz solar para calentar los depósitos de agua caliente y los radiadores. 0-2000 unidades de potencia calorífica en función del nivel de luz y la temperatura ambiente.
+ Modo Potencia
+
+ Calentador geotérmico
+ Utiliza el calor geotérmico para calentar los depósitos de agua caliente y los radiadores.
+ Calentador geotérmico (anteproyecto)
+ Calentador geotérmico (construcción)
+ Utiliza el calor geotérmico para calentar los depósitos de agua caliente y los radiadores.
+ Modo Potencia
+
+ Depósito de agua caliente
+ Almacena agua caliente para duchas y baños. Se conecta a cualquier caldera o calentador que lo permita.
+ Depósito de agua caliente (anteproyecto)
+ Depósito de agua caliente (anteproyecto)
+ Depósito de agua caliente (construcción)
+ Almacena agua caliente para duchas y baños. Se conecta a cualquier caldera o calentador que lo permita.
+
+ Radiador
+ Calienta las habitaciones utilizando el agua caliente de las calderas. Requiere 100 unidades de calor.
+ Radiador (anteproyecto)
+ Radiador (anteproyecto)
+ Radiador (construcción)
+ Calienta las habitaciones utilizando el agua caliente de las calderas. Requiere 100 unidades de calor.
+
+ Radiador grande
+ Triplica la potencia de un radiador estándar, útil para habitaciones más grandes. Requiere 300 unidades de calor.
+ Radiador grande (anteproyecto)
+ Radiador grande (anteproyecto)
+ Radiador grande (construcción)
+ Triplica la potencia de un radiador estándar, útil para habitaciones más grandes. Requiere 300 unidades de calor.
+
+ Toallero
+ Impresionante toallero de baño.
+ Toallero (anteproyecto)
+ Toallero (anteproyecto)
+ Toallero (construcción)
+ Impresionante toallero de baño.
+
+
+
+
+ Ventilador de techo 2x2
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 2x2 (anteproyecto)
+ Ventilador de techo 2x2 (anteproyecto)
+ Ventilador de techo 2x2 (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Ventilador de techo 1x1
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 1x1 (anteproyecto)
+ Ventilador de techo 1x1 (anteproyecto)
+ Ventilador de techo 1x1 (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Ventilador de techo 2x2 (luz oscura)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 2x2 (luz oscura) (anteproyecto)
+ Ventilador de techo 2x2 (luz oscura) (anteproyecto)
+ Ventilador de techo 2x2 (luz oscura) (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Ventilador de techo 1x1 (luz oscura)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 1x1 (luz oscura) (anteproyecto)
+ Ventilador de techo 1x1 (luz oscura) (anteproyecto)
+ Ventilador de techo 1x1 (luz oscura) (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Aire Acondicionado - Módulo Exterior
+ Módulo exterior de aire acondicionado multisplit. Se coloca en el exterior y se conecta a los módulos interiores o a los módulos de congelación. Permite seleccionar el modo de potencia con una capacidad de 100-1000 unidades de refrigeración.
+ Aire Acondicionado - Módulo Exterior (anteproyecto)
+ Aire Acondicionado - Módulo Exterior (anteproyecto)
+ Aire Acondicionado - Módulo Exterior (construcción)
+ Módulo exterior de aire acondicionado multisplit. Se coloca en el exterior y se conecta a los módulos interiores o a los módulos de congelación. Permite seleccionar el modo de potencia con una capacidad de 100-1000 unidades de refrigeración.
+
+ Aire Acondicionado - Módulo Interior
+ Módulo interior de aire acondicionado interior para habitaciones. Se conecta a los módulos de aire acondicionado exteriores. Requiere 100 unidades de refrigeración.
+ Aire Acondicionado - Módulo Interior (anteproyecto)
+ Aire Acondicionado - Módulo Interior (anteproyecto)
+ Aire Acondicionado - Módulo Interior (construcción)
+ Módulo interior de aire acondicionado interior para habitaciones. Se conecta a los módulos de aire acondicionado exteriores. Requiere 100 unidades de refrigeración.
+
+ Módulo de Congelación
+ Módulo de congelación conectado a los módulos exteriores de aire acondicionado. Requiere 300 unidades de refrigeración.
+ Módulo de Congelación (anteproyecto)
+ Módulo de Congelación (anteproyecto)
+ Módulo de Congelación (construcción)
+ Módulo de congelación conectado a los módulos exteriores de aire acondicionado. Requiere 300 unidades de refrigeración.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..1a63dbe
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,29 @@
+
+
+
+
+
+ Aspersor de riego
+ Riega los alrededores una vez cada mañana para mejorar la fertilidad del terreno a lo largo del día. Utiliza 1000L cada mañana en el radio máximo.
+ Aspersor de riego (anteproyecto)
+ Aspersor de riego (anteproyecto)
+ Aspersor de riego (construcción)
+ Riega los alrededores una vez cada mañana para mejorar la fertilidad del terreno a lo largo del día. Utiliza 1000L cada mañana en el radio máximo.
+
+ Rociador contra incendios
+ Se activa por la presencia de fuego o por altas temperaturas. Apaga las llamas con un chorro de agua.
+ Disparador del rociador
+ Rociador contra incendios (anteproyecto)
+ Rociador contra incendios (anteproyecto)
+ Rociador contra incendios (construcción)
+ Se activa por la presencia de fuego o por altas temperaturas. Apaga las llamas con un chorro de agua.
+
+ Compostador de biosólidos
+ Un compostador para convertir las aguas residuales y los residuos fecales en fertilizante con el fin de mejorar la fertilidad del terreno.
+ Compostador de biosólidos (anteproyecto)
+ Compostador de biosólidos (anteproyecto)
+ Compostador de biosólidos (construcción)
+ Un compostador para convertir las aguas residuales y los residuos fecales en fertilizante con el fin de mejorar la fertilidad del terreno.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..731838f
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,17 @@
+
+
+
+
+
+ orina
+ Orina en el suelo.
+
+ heces
+ residuos sin tratar
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..c83d0f2
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,17 @@
+
+
+
+
+
+ vejiga biónica
+ Una vejiga artificial avanzada. Un sistema de reciclaje químico descompone las sustancias de desecho del cuerpo en moléculas para ser recicladas dejando el resto en estado gaseoso, con el inconveniente de provocar gases al usuario.
+
+
+
+ amplificador higiénico
+ Libera mecanitas que descomponen las células muertas de la piel y cabello liberándolos inofensivamente en el aire.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..ad2cb64
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,34 @@
+
+
+
+
+
+ Orinal
+ Recipiente utilizado por un paciente encamado para depositar la orina y las heces.
+
+
+
+ Biosólidos
+ Al tratar y procesar adecuadamente las aguas residuales o los residuos fecales, estos se convierten en biosólidos capaces de propocionar un ligero aumento a la fertilidad del terreno.\nEs útil en entornos con poco espacio disponible para el cultivo.\nLos biosólidos también producen un importante aumento a la fertilidad en terrenos arenosos cuando se combinan con el riego
+
+
+
+ Residuos fecales
+ Los residuos fecales pueden ser trasladados, volcados, quemados o procesados como biosólidos o combustible.
+
+
+
+
+
+ Agua
+ Una botella de agua.
+ Beber {0}
+ Bebiendo {0}.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/Spanish/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..c638a31
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Mote
+ Mote
+ Mote
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/Spanish/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..4862564
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,63 @@
+
+
+
+ Bebió agua refrescante
+ Bebió agua limpia y refrescante.
+
+ Bebió agua sucia
+ Bebió de una botella con agua contaminada.
+
+ Bebió orina
+ Bebí mi propia orina.
+
+ Sintió vergüenza
+ Alguien me vio bañándome y me incomodó.
+
+ Sintió vergüenza
+ ¡Alguien entró mientras estaba usando el inodoro!
+
+ Me cagué encima
+ No pude aguantar más y me cagué encima.
+
+ Ducha caliente
+ Me he dado una buena ducha caliente.
+
+ Piscina climatizada
+ La piscina climatizada fue muy relajante.
+
+ Baño caliente
+ Me he dado un buen baño caliente.
+
+ Baño frío
+ Me he dado un buen baño frío y refrescante.
+
+ Ducha fría
+ Tuve una agradable y refrescante ducha fría.
+
+ Agua fría
+ ¡No había agua caliente!
+
+ Me he aliviado
+ Mmmmm mucho mejor ahora.
+
+ He cagado al aire libre
+ Tuve que hacer mis necesidades al aire libre.
+
+ Baño horrible
+ Mi baño es un lugar horrible.
+ Baño decente
+ Mi baño es interesante, no está nada mal.
+ Baño hermoso
+ Mi baño es hermoso, me gusta.
+ Baño precioso
+ Mi baño es precioso, me gusta mucho.
+ Baño impresionante
+ Mi baño es impresionante, ¡me encanta!
+ Baño muy impresionante
+ Mi baño es muy impresionante, ¡me encanta!
+ Baño de lujo
+ Mi baño es tan lujoso que parece el baño de un rey, ¡me encanta estar aquí!
+ Baño maravilloso
+ Mi baño es tan maravilloso que la gente pagaría por verlo. ¡Este es el mejor lugar del mundo!
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/Spanish/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..7d732bb
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,19 @@
+
+
+
+ Sucio
+ Huelo como si hubiera estado nadando en aguas residuales.
+ Mugriento
+ Me siento un poco suci{PAWN_gender ? o : a}.
+ Limpio
+ Me siento {PAWN_gender ? fresco y limpio : fresca y limpia}.
+ Impoluto
+ Más limpi{PAWN_gender ? o : a} no se puede estar.
+
+ Voy a explotar
+ ¡Necesito ir al baño, estoy a punto de explotar!
+ necesito ir al baño
+ Tengo que ir al baño.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/Spanish/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..6c0002c
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,23 @@
+
+
+
+
+
+ Germofobia
+ [PAWN_nameDef] está obsesionad{PAWN_gender ? o : a} con los gérmenes y necesita ir a lavarse con más frecuencia.
+ Higiénico
+ [PAWN_nameDef] esta obsesionad{PAWN_gender ? o : a} con la higiene y necesita ir a lavarse con más frecuencia.
+ Antihigiénico
+ [PAWN_nameDef] no se preocupa mucho por su higiene y suele escaquearse más de lo normal a la hora de lavarse.
+ Guarro
+ [PAWN_nameDef] tiene un concepto de limpieza inaudito, ¡no toca el agua ni con un palo! y sólo se lava cuando es absolutamente necesario.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/Spanish/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..e6d6ce6
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,76 @@
+
+
+
+
+
+ fertilizar
+ fertilizar
+ fertilizando
+
+
+
+ volcar residuos
+ volcar residuos
+ volcando residuos
+
+
+
+ drenar depósito
+ drenar depósito
+ drenando depósito
+
+
+
+ servir bebida
+ servir bebida
+ sirviendo bebida
+
+
+
+ servir bebida
+ servir bebida
+ sirviendo bebida
+
+
+
+ limpiar obstrucción
+ limpiar obstrucción
+ limpiando obstrucción
+
+
+
+ lavar al paciente
+ lavar al paciente
+ lavando al paciente
+
+
+
+ limpiar orinal
+ limpiar orinal
+ limpiando orinal
+
+
+
+ limpiar orinal
+ limpiar
+ limpiando
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/Spanish/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..bacc437
--- /dev/null
+++ b/1.5/Languages/Spanish/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,93 @@
+
+
+
+
+
+ quemar desechos del foso
+ quemar
+ quemando
+
+
+
+ depositar residuos en barriles
+ eliminar residuos
+ eliminando residuos
+
+
+
+ sacar la colada
+ sacar la colada
+ sacando la colada
+
+
+
+ cargar lavadora
+ cargar lavadora
+ cargando la lavadora
+
+
+
+ sacar compostaje del compostador
+ sacar compostaje
+ sacando compostaje del compostador
+
+
+
+ llenar el compostador
+ llenar
+ llenando el compostador
+
+
+
+ vaciar fosa séptica
+ vaciar
+ vaciando
+
+
+
+ vaciar fosa séptica
+ vaciar
+ vaciando
+
+
+
+ rellenar de agua
+ rellenar
+ rellenando
+
+
+
+ rellenar de agua
+ rellenar
+ rellenando
+
+
+
+ limpiar suciedad del interior
+ limpiar
+ limpiando
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/Spanish/Keyed/DubsHygiene.xml b/1.5/Languages/Spanish/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..7026331
--- /dev/null
+++ b/1.5/Languages/Spanish/Keyed/DubsHygiene.xml
@@ -0,0 +1,260 @@
+
+
+
+
+ Retirar tuberías
+ Designar secciones de un tipo de tubería para su deconstrucción.
+ Retirar las aguas residuales
+ Retirar las aguas residuales del suelo y verterlas en barriles.
+ Retirar fontanería
+ Retirar aire acondicionado
+
+
+ ¡La habitación es demasiado grande para calentar!\nUn máximo de 50 celdas por radiador.\nAñadir más radiadores para la sauna o reducir el tamaño de la sala.
+ La piscina está caliente
+ Ahora no se puede utilizar la piscina:
+ Lloviendo
+ {0} demasiado fría
+ La prisión necesita un suministro de agua
+ Una celda de la prisión no tiene acceso de agua potable, construya al menos una fuente de agua potable, como una bañera o lavabo para que los presos tengan libre acceso al agua potable.
+ No hay una torre de agua disponible
+ Se requiere una torre o depósito para almacenar el agua bombeada de los pozos
+ No hay un pozo disponible
+ Las bombas de agua requieren de un pozo conectado a la red de tuberías para acceder a las aguas subterráneas.
+ No hay una bomba de agua disponible
+ Se necesita una bomba de agua para bombear el agua de un pozo a una torre de agua
+ Contaminación del agua por la lluvia radiactiva
+ Después de 2 días de lluvia tóxica, la acumulación contaminará cualquier tanque de almacenamiento de agua conectado a los pozos de agua.\n\nPrepárate creando una reserva de agua que te permita desconectar con una válvula los pozos para proteger el agua de la contaminación antes de que sea demasiado tarde.\n\nTambién puedes utilizar un pozo profundo para acceder al agua no contaminada, o instalar un sistema de tratamiento del agua que elimine toda la contaminación de las reservas de agua.
+
+ Baja capacidad de refrigeración, puede aumentar la potencia de los módulos exteriores
+ Acceso Restringido
+ Solo {0}
+ Sólo prisioneros
+ Salida de desagüe obstruida
+ Las aguas residuales se han acumulado alrededor del orificio de drenaje y están bloqueando la salida.\n\nConstruye más salidas o añade una fosa séptica para compensar y reducir la presión sobre las salidas.
+ Baja temperatura del agua
+ La temperatura del agua en este depósito es demasiado baja, los colonos que esperan utilizar agua caliente pueden molestarse.\n\nEnciende las calderas, aumenta la capacidad de calentamiento o añade otro depósito de agua caliente.
+ Debe ser colocado sobre una celda con agua subterránea.
+ El aparato debe estar dentro de una habitación que lo limite.
+ Requiere una torre de almacenamiento de agua
+ La asignación requiere la necesidad de orinar, {0} no la tiene
+
+ No hay material de compostaje
+ Sin capacidad de agua
+ Sin capacidad de desagüe
+ Requiere un sistema de saneamiento
+ Acceso Restringido
+
+ Demasiado caliente: {0}%
+ Con lluvia: {0}%
+ Esfuerzos: x{0}
+ Habitación: x{0}
+ Total: x{0}
+ Manos sucias (Riesgo de enfermedad)
+
+ Desagüe obstruido
+ Un desagüe se ha obstruido, necesita limpieza.
+
+ Agua contaminada
+ Se ha contaminado el agua de un pozo.\n\nSoluciones anti-contaminación:\n{0} \n\nDesplazar el pozo a una zona con aguas subterráneas limpias o añadir un sistema de tratamiento del agua (depuradora) para limpiar toda la red de saneamiento.
+ Torre de agua contaminada
+ Una torre de agua se ha contaminado, lo que supone un grave riesgo para la salud de los colonos.\nPara tratar la contaminación necesitas drenar todo el agua almacenada en la torre o instalar un sistema de tratamiento del agua (depuradora).
+
+ {0} ha contraído {1} por falta de higiene
+ {0} ha contraído {1} por ingerir agua no potable
+ {0} ha contraído {1} por beber agua contaminada
+
+
+ Cambiar la restricción de género
+ Médico
+ Utensilio exclusivo para pacientes.
+ Sólo pacientes
+ Helicóptero de ataque
+ Unisex
+ Conectar cama
+ Conecta los accesorios a una cama cercana para que hereden la propiedad. Mantener la tecla mayúscula para asignar varias camas.
+ Eliminar conexiones con la cama
+ Eliminar la conexión de los accesorios con las camas.
+ Sólo animales
+ Verificar Ocupación
+ Los colonos deben comprobar si algo en la habitación está reservado antes de intentar utilizar el aparato, evita que los colonos se crucen para utilizar lavabos e inodoros al mismo tiempo.
+ Colonistas
+ Esclavos
+ Invitados
+ Prohibido Colonos
+ Prohibido Esclavos
+ Prohibido Invitados
+
+
+
+ Temperatura del agua: {0}
+ Calefacción demanda/capacidad: {0} / {1} U ({2})
+ Refrigeración demanda/capacidad: {0} / {1} U ({2})
+ Consumo de calefacción: {0} U
+ Consumo de refrigeración: {0} U
+ Calefacción unidades/potencia: {0} U / {1} W
+ Refrigeración unidades/potencia: {0} U / {1} W
+ Eficiencia: {0}
+ Eficiencia: {0} sobrecalentamiento
+ Temperatura mínima: {0}
+ Bajar potencia
+ Reducir la capacidad térmica.
+ Aumentar potencia
+ Aumentar la capacidad térmica
+ Capacidad de agua caliente: {0}
+ Desactivar termostato
+ Forzar el funcionamiento continuo de la caldera
+ ¡Las rejillas de ventilación deben mantenerse despejadas!
+ Demasiado frío
+ Con tejado
+ Eficiencia térmica: {0} U ({1})
+ Temperatura del radiador: {0}
+ Termostato desactivado por los depósitos de agua caliente.\nAjustar todos los depósitos de agua caliente conectados y activar el modo termostato.
+ Control del termostato
+ Enciende las calderas durante 1 hora cuando la temperatura del depósito esté baja.\nSi se desactiva, las calderas funcionarán continuamente e ignorarán los termostatos de las habitaciones.
+
+
+ Lavarse las manos
+ Lavar
+ Usar
+ Consumo = {0}
+ Será la fontanería
+ Drenaje obstruido
+ Vaciar letrina
+ Centrifugando...
+ Descargar ahora
+ Cargar: {0}/{1}
+ No hay ropa sucia
+ No hay espacio
+ No hay fuentes de agua de máxima calidad disponibles.
+
+
+ Flujo de agua +50L
+ Flujo de agua -50L
+ Tasa de llenado: {0}L/h
+ Beber
+ Válvula
+ Alternar la válvula entre abierta/cerrada.
+ Válvula cerrada
+
+ Capacidad de bombeo: {0} L/día
+ Capacidad subterránea: {0} L/día
+ Capacidad de bombeo/subterránea: {0}/{1} L/día ({2})
+
+ Agua almacenada: {0}L
+ Almacenaje de agua total: {0} L
+
+ Nivel de contaminación: {0}
+
+ Disminuir el radio
+ Aumentar el radio
+ Calidad del Agua: No potable (pequeño riesgo de enfermedad)
+ Calidad del Agua: Contaminada (alto riesgo de enfermedad)
+ Calidad del Agua: Tratada (segura)
+
+ Drenar el depósito
+ Drenar el depósito y eliminar la contaminación.
+
+ Valor del agua: {0} por {1}L
+ Agua
+
+ Se superpone con {0} pozos
+
+
+ Aguas residuales {0}
+ Drenaje
+ Establecer el nivel a partir del cual los residuos fecales deben vaciarse y depositarse en barriles.\nLos residuos fecales pueden ser trasladados, volcados, quemados o procesados como biosólidos o combustible.
+ Procesando: {0} L/d Almacenando: {1} L ({2})
+ No drenar
+ Drenar depósito con {0}
+
+ Foso: {0}
+ ¡El foso está lleno, vacíalo ahora!
+ Patear
+ Derrama este barril de aguas residuales en el suelo.
+
+
+ Contiene compostaje: {0}/{1} L
+ Contiene residuos fecales: {0}/{1} L
+ Compostado
+ Desarrollo del compostaje: {0} ({1})
+ El compostador no tiene la temperatura ideal
+ Temperatura ideal de compostaje
+ Sembrado en zona de cultivo deshabilitada
+ No se ha encontrado fertilizante
+ Superficie de fertilización
+ Designar áreas para fertilizar con biosólidos.
+ Añadir área
+ Eliminar área
+
+
+ Rango búsqueda de agua para embotellar: {0}
+ Buscar agua para embotellar al tener {0} /uds. llevar hasta {1} /uds en el inventario
+ Reiniciar
+ Priorizar limpieza de interiores
+ Proporciona mayor prioridad al trabajo de limpieza para limpiar primero los interiores.
+ Asistencia para la eliminación del mod
+ Pasos:\n\n1: Guarda tu partida inmediatamente después de pulsar confirmar\n2: Sal al menú principal y desactiva el mod, reinicia el juego\n3: Carga tu partida guardada, ignora cualquier excepción y guárdala de nuevo\n¡Carga la partida guardada una vez más y no debería haber ninguna excepción relacionada con la falta de defs o clases de higiene!
+ Sed en mascotas
+ Las mascotas tienen la necesidad de sed
+ Se requiere reiniciar para añadir la calidad y las complementos artísticos de nuevo.\n\n ¿Reiniciar ahora?
+ Arte y calidad en accesorios
+ Habilitar la calidad y el arte en los accesorios como los inodoros
+ Salir al menú principal para cambiar
+ Soporte para Rimefeller
+ Permitir el uso de agua en las refinerías en Rimefeller
+ Soporte para Rimatomics
+ Permitir el uso de agua en las torres de refrigeración en Rimatomics
+ Desactivar manualmente las necesidades por tipo de cuerpo, raza o hediff (efectos, enfermedades, etc) activo.
+ Filtro de necesidades
+ Desactivar la necesidades de la vejiga
+ Desactivar la necesidad de higiene
+ Necesidades
+ Marcar para activar
+ Prisioneros
+ Establecer si los presos deben tener necesidades.
+ Invitados
+ Establecer si los invitados deben tener necesidades.
+ Privacidad
+ Los colonos se preocupan por la intimidad cuando se bañan o utilizan los inodoros.
+ Eficiencia de refrigeración
+ Establece si la alta temperatura debe afectar a la eficiencia de la refrigeración como en el caso del aire acondicionado estándar.
+ Riego por lluvia
+ La lluvia tendrá el mismo efecto que los aspersores. Podría reducir el rendimiento del juego.
+ Cambiar las necesidades
+ Desactiva las necesidades por completo. Anula todos los demás ajustes.
+ Permitir bebidas modificadas
+ Los colonos también podrán beber y envasar cualquier bebida modificada. Las bebidas del mod VGP y RimCuisine se pueden utilizar por defecto, otras requerirán ser añadidas en los def del mod.
+ Equipar botellas de agua
+ Los colonos incluirán automáticamente botellas de agua en su inventario cuando puedan.\nPuede que no funcione con algunos mods, para CE tendrás que gestionar manualmente tu carga para incluir botellas de agua, de lo contrario las seguirán dejando caer.
+ Filtro de Necesidades
+ Características Principales
+ Características Experimentales
+ Vejigas de mascotas
+ Habilita las necesidades de la vejiga en las mascotas. También añade cajas de arena para las mascotas.
+ Vejigas de animales salvajes
+ Habilitar las necesidades de la vejiga en todos los animales salvajes. Esto podría ser un caos.
+ Necesidad de sed
+ Habilita la necesidad de sed en todos los colonos con necesidades de vejiga. Añade fuentes para beber y botellas de agua. Requiere reiniciar.
+ Fertilizante visible
+ Establece si la cuadrícula del fertilizante debe ser visible.
+ Colonos no humanos
+ Activa las necesidades de los colonos no humanos. Puedes desactivar seres específicos con el filtro de necesidades.
+ Características Extras
+ Lite Mode (versión simplificada)
+ Cambia el mod a un modo simplificado que elimina las tuberías, la gestión del agua y de las aguas residuales, cualquier edificio o trabajo que no esté directamente relacionado con la higiene o la sed.\n\nEsto impedirá que se carguen muchos defs y requiere reiniciar.\n\nSi estás intentando cargar una partida con edificios de higiene existentes puede que tengas que guardar y volver a cargarlo después de activar el nuevo modo.
+ Debe reiniciar el juego para habilitar el modo Lite. Si está intentando cargar un archivo guardado con edificios de higiene existentes, es posible que tenga que guardarlo y volver a cargarlo después de activarlo para eliminar los errores.
+ Refrigeradores pasivos usan agua
+ A los refrigeradores pasivos se les ha quitado la madera como combustible y en su lugar se rellenan con agua.
+ Integración con SoS2
+ Añade el procesamiento de agua y aguas residuales al soporte vital y añade tuberías a las estructuras de las naves.
+ Agua almacenada x{0}
+ Bad Hygiene Wiki
+ Ve a la bad hygiene wiki
+ Modo Supervivencia
+ Limita la generación de la red de agua subterránea por defecto a parches muy pequeños. Las características del terreno ya no generan agua y el radio se reduce.\nNo es necesario crear una nueva partida, funciona con las partidas guardadas existentes.
+ Hidroponía
+ Los edificios de cultivo con energía, como los hidropónicos, tienen tanques de agua que requieren ser llenados por medio de tuberías. Las plantas mueren por falta de agua en lugar de energía, los tanques de agua sólo se llenan cuando el edificio recibe energía.
+ Es necesario reiniciar para añadir y eliminar elementos relacionados con la sed.\n\n¿Reiniciar ahora?
+
+
diff --git a/1.5/Languages/SpanishLatin/DefInjected/DesignationCategoryDef/DesignationCategories.xml b/1.5/Languages/SpanishLatin/DefInjected/DesignationCategoryDef/DesignationCategories.xml
new file mode 100644
index 0000000..41819d1
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/DesignationCategoryDef/DesignationCategories.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Higiene
+ Objetos para la higiene de los colonos.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml b/1.5/Languages/SpanishLatin/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..465e511
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/DesignatorDropdownGroupDef/Buildings5_Floors.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+ azulejo mosaico
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml b/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
new file mode 100644
index 0000000..c9565c0
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.DubsModOptions/ModOptions.xml
@@ -0,0 +1,209 @@
+
+
+
+ Visibilidad de las tuberías
+ Oculto
+ Escondido bajo el suelo
+ Siempre visible
+ Como quieres que se vean las tuberías en el juego
+
+ Necesidad Higiene
+ Como de rápido disminuye la necesidad de higiene
+ Parámetros
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Necesidad Vejiga
+ Como de rápido disminuye la necesidad de orinar
+ Parámetros
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Tamaño Cisterna
+ Cantidad de aguas residuales producidas al tirar de la cadena
+ Parámetros
+ 25%
+ 50%
+ 100%
+ 150%
+ 200%
+ 250%
+
+ Necesidad Sed
+ Como de rápido disminuye la necesidad de sed
+ Parámetros
+ 10%
+ 20%
+ 30%
+ 40%
+ 50%
+ 60%
+ 70%
+ 80%
+ 90%
+ 100%
+ 110%
+ 120%
+ 130%
+ 140%
+ 150%
+ 200%
+ 300%
+ 500%
+ 1000%
+
+ Prob.Contaminación
+ Probabilidad de que un colono se contamine con agua no tratada
+ Parámetros
+ 10%
+ 25%
+ 50%
+ 100%
+ 125%
+ 150%
+ 175%
+ 200%
+
+ Capacidad Bombeo
+ Capacidad de bombeo de las bombas de agua
+ Parámetros
+ 200%
+ 100%
+ 50%
+ 25%
+ 50%
+ 25%
+
+ Agua Caliente
+ Cantidad de agua caliente que se utiliza durante el lavado
+ Parámetros
+ 50%
+ 100%
+ 150%
+ 200%
+ 150%
+ 200%
+
+ Residuos Max.
+ Cantidad de aguas residuales que caben en una celda de la superficie
+ Parámetros
+ 400%
+ 200%
+ 100%
+ 80%
+ 60%
+ 20%
+
+ Limpieza Residuos
+ La rapidez con la que se limpian las aguas residuales en la superficie en el transcurso del tiempo
+ Parámetros
+ 300%
+ 200%
+ 150%
+ 125%
+ 100%
+ 75%
+ 50%
+ 25%
+ 10%
+ 0%
+
+ Depuración Residuos
+ La rapidez con la que se depuran las aguas residuales en las fosas sépticas y en el tratamiento de las aguas residuales
+ Parámetros
+ 200%
+ 100%
+ 75%
+ 25%
+ 75%
+ 50%
+ 25%
+ 10%
+
+ Efectividad del Riego
+ Cuanto influye el riego en la fertilidad del terreno
+ Parámetros
+ 240%
+ 220%
+ 200%
+ 180%
+ 160%
+ 140%
+ 120%
+ 110%
+
+ Efec. Fertilizante
+ Cuanto influye el fertilizante en la fertilidad del terreno
+ Parámetros
+ 160%
+ 140%
+ 120%
+ 110%
+ 108%
+ 106%
+ 104%
+ 102%
+
+ Fertilidad Terreno
+ Valor inicial de la fertilidad del terreno
+ Parámetros
+ 180%
+ 140%
+ 120%
+ 110%
+ 100%
+ 90%
+ 80%
+ 60%
+ 40%
+ 20%
+
+ Duración Fertilzante
+ Cuanto tiempo permanece el terreno fertilizado después de aplicar el fertilizante
+ Parámetros
+ 240 días (3 años)
+ 180 días
+ 120 días (2 años)
+ 80 días
+ 60 días (1 año)
+ 40 días
+ 30 días
+ 20 días
+ 10 días
+ 1 día
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml b/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..4f8ac3c
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.WashingJobDef/Jobs_Hygiene.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ duchándose con TargetA
+ dándose un baño
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml b/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
new file mode 100644
index 0000000..68bd319
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/DubsBadHygiene.WashingJobDef/JoyGivers.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+ nadando
+ relajándose
+ usando la sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/HediffDef/Hediffs_Hygiene.xml b/1.5/Languages/SpanishLatin/DefInjected/HediffDef/Hediffs_Hygiene.xml
new file mode 100644
index 0000000..143cd99
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/HediffDef/Hediffs_Hygiene.xml
@@ -0,0 +1,78 @@
+
+
+
+
+
+ lavado
+ Estar limpio disminuye la probabilidad de contraer enfermedades.
+ lavado
+
+
+
+ mala higiene
+ Una mala higiene aumentará el riesgo de contraer enfermedades y afectará a la interacción social.
+ moderada
+ severa
+ extrema
+
+
+
+ diarrea
+ La diarrea se caracteriza por las heces sueltas, acuosas y frecuentes.
+ recuperando
+ considerable
+ inicial
+
+
+
+ disentería
+ La disentería es un tipo de gastroenteritis que produce diarrea con sangre.
+ menor
+ severa
+ extrema
+
+
+
+ cólera
+ El cólera es una enfermedad infecciosa que provoca una grave diarrea acuosa, que puede conducir a la deshidratación e incluso a la muerte si no se trata.
+ menor
+ moderado
+ grave
+ extremo
+
+
+
+ deshidratación
+ La deshidratación es un trastorno que puede producirse cuando la pérdida de líquidos corporales, principalmente agua, supera a la cantidad ingerida.
+ trivial
+ menor
+ moderado
+ grave
+ extremo
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/SpanishLatin/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..40ae5a2
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/HediffDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+ vejiga biónica
+ Se implantó una vejiga biónica.
+ una vejiga biónica
+
+ amplificador higiénico
+ Se implantó un amplificador higiénico.
+ un amplificador higiénico
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/JobDef/Jobs_Hygiene.xml b/1.5/Languages/SpanishLatin/DefInjected/JobDef/Jobs_Hygiene.xml
new file mode 100644
index 0000000..05d7355
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/JobDef/Jobs_Hygiene.xml
@@ -0,0 +1,65 @@
+
+
+
+
+
+ activando TargetA
+ vaciando TargetA
+ vaciando TargetA
+
+
+
+ cargando TargetA
+ descargando TargetA
+ llenando TargetA
+ sacando compostaje del TargetA
+ eliminando las aguas residuales
+ observando el proceso de centrifugado
+ volcando el TargetA.
+ vaciando el TargetA.
+ fertilizando la tierra
+ bebiendo agua
+ bebiendo agua del TargetA
+ llenando botella con agua del TargetA
+ almacenando agua del TargetA
+ llevando agua a TargetB
+ utilizando el TargetA
+ cagando al aire libre
+ lavando con un TargetA
+ lavando
+ lavándose las manos
+ lavando a TargetA
+ lavándose en la TargetA
+ lavándose en la TargetA
+ rellenando el barreño
+ rellenando con agua
+ limpiando el orinal
+ desatascando el TargetA obstruido
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/JobDef/JoyGivers.xml b/1.5/Languages/SpanishLatin/DefInjected/JobDef/JoyGivers.xml
new file mode 100644
index 0000000..68bd319
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/JobDef/JoyGivers.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+ nadando
+ relajándose
+ usando la sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/JoyKindDef/JoyGivers.xml b/1.5/Languages/SpanishLatin/DefInjected/JoyKindDef/JoyGivers.xml
new file mode 100644
index 0000000..72d388d
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/JoyKindDef/JoyGivers.xml
@@ -0,0 +1,9 @@
+
+
+
+
+
+ hidroterapia
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml b/1.5/Languages/SpanishLatin/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
new file mode 100644
index 0000000..276e7a4
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/KeyBindingCategoryDef/KeyBindingCategories_Add_Architect.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+
+
+ Pestaña Higiene
+ Atajos de teclado para la sección "Higiene" en el menú del Arquitecto
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/NeedDef/Needs_Misc.xml b/1.5/Languages/SpanishLatin/DefInjected/NeedDef/Needs_Misc.xml
new file mode 100644
index 0000000..ce0fd92
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/NeedDef/Needs_Misc.xml
@@ -0,0 +1,27 @@
+
+
+
+
+
+ Vejiga
+ Para prevenir el riesgo de enfermedades es importante mantener un buen nivel de saneamiento, eliminando o tratando los residuos y evitando que las aguas residuales contaminen el suministro de agua.
+
+
+
+
+
+ Higiene
+ Una buena higiene personal es importante para reducir el riesgo de contraer enfermedades y mantener a los colonos felices y sanos.
+
+
+
+
+
+ Sed
+ El agua es necesaria para muchos de los procesos fisiológicos de la vida. Si ésta llega a cero, la criatura morirá lentamente por deshidratación.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/SpanishLatin/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..a576cb7
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/RecipeDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,21 @@
+
+
+
+
+
+ Implantar: Vejiga biónica
+ Implanta una vejiga biónica en el usuario objetivo.
+ Implantando: Vejiga biónica.
+
+
+
+ Implantar: Amplificador higiénico
+ Implanta un amplificador higiénico en el usuario objetivo.
+ Implantando: Amplificador higiénico.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/RecipeDef/Recipes_Production.xml b/1.5/Languages/SpanishLatin/DefInjected/RecipeDef/Recipes_Production.xml
new file mode 100644
index 0000000..73c920c
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/RecipeDef/Recipes_Production.xml
@@ -0,0 +1,12 @@
+
+
+
+
+
+ Destilar: Biocombustible de residuos fecales
+ Produce un lote de biocombustible a partir de residuos fecales.
+ Destilando: Biocombustible de residuos fecales.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml b/1.5/Languages/SpanishLatin/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..f31d8c7
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ResearchProjectDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,136 @@
+
+
+
+
+
+ Compostaje de Residuos
+ Al tratar y procesar adecuadamente las aguas residuales o los residuos fecales, estos se convierten en biosólidos capaces de propocionar un ligero aumento a la fertilidad del terreno.\nEs útil en entornos con poco espacio disponible para el cultivo.\nLos biosólidos también producen un importante aumento a la fertilidad en terrenos arenosos cuando se combinan con el riego.
+
+
+
+ Aire Acondicionado Multisplit
+ Construir sistemas de aire acondicionado multisplit con módulos exteriores conectados a módulos interiores y de congelación.
+
+
+
+ Fontanería
+ Utilizar tuberías, instalaciones de fontanería, tanques de almacenamiento, bombeo eólico, aparatos para suministrar y depurar el agua.
+
+
+
+ Calefacción
+ Construye calderas de leña que pueden utilizarse para calentar habitaciones e incluso pueden colocarse junto a los baños para calentar el agua de la bañera.
+
+
+
+ Calefacción Central
+ Construye sistemas de calefacción central con radiadores, depósitos de agua caliente, calderas y termostatos.
+
+
+
+ Calefacción Geotérmica
+ Construye calentadores geotérmicos sobre los géiseres para suministrar el calor a la calefacción central y a los depósitos de agua caliente.
+
+
+
+ Saunas
+ Construye una habitación dedicada con una sauna donde los colonos puedan relajarse y limpiarse.\nSu uso frecuente puede reducir la probabilidad de padecer ataques al corazón.
+
+
+
+ Baños Modernos
+ Construye equipamiento de baño de estilo moderno, como inodoros y duchas.
+
+
+
+ Bomba de Agua Eléctrica
+ Bombas de agua motorizadas para el bombeo continuo de agua a presión.
+
+
+
+ Duchas Avanzadas
+ Construye duchas de alta presión que reducen a la mitad el tiempo de ducha y mejoran el confort.
+
+
+
+ Inodoros Avanzados
+ Construye inodoros inteligentes cómodos, autolimpiables y súper eficientes.
+
+
+
+ Jacuzzis
+ Construye bañeras de hidromasaje que pueden utilizarse para tratamientos de hidroterapia, relajación y placer.
+
+
+
+ Nivel Industrial
+ Construye bombas de agua y depósitos de almacenamiento a escala industrial.
+
+
+
+ Pozos Profundos
+ Permite cavar pozos más profundos para acceder a zonas más extensas de aguas subterráneas.
+
+
+
+ Lavadoras
+ Fabrica lavadoras que puedan lavar la ropa tan bien, que no puedas distinguir si se trata de la ropa de un muerto.
+
+
+
+ Sistema de Filtración
+ Construye sistemas de filtración de agua que traten el suministro de agua, eliminando el riesgo de enfermedades.
+
+
+
+ Higiene Biónica
+ Fabrica componentes biónicos que ayuden a procesar los residuos corporales y a gestionar la higiene personal.
+
+
+
+ Fosas Sépticas
+ Construye fosas sépticas que almacenen las aguas residuales y proporcionen un tratamiento adecuado de las mismas.
+
+
+
+ Depuración de Aguas residuales
+ Permite construir un gran sistema de depuración que proporciona gran capacidad de almacenamiento de las aguas residuales y un tratamiento rápido de las mismas.
+
+
+
+ Piscinas
+ Permite la construcción de piscinas.
+
+
+
+ Sistema de Riego
+ Permite la fabricación de aspersores de riego que favorecen la fertilidad del terreno.
+
+
+
+ Extinción de Incendios
+ Permite la fabricación de rociadores capaces de apagar el fuego mediante chorros de agua.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml b/1.5/Languages/SpanishLatin/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
new file mode 100644
index 0000000..db6385b
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ResearchTabDef/ResearchProjects_Hygiene.xml
@@ -0,0 +1,7 @@
+
+
+
+ Dubs Bad Hygiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/RoomRoleDef/RoomRoles.xml b/1.5/Languages/SpanishLatin/DefInjected/RoomRoleDef/RoomRoles.xml
new file mode 100644
index 0000000..b0c20d2
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/RoomRoleDef/RoomRoles.xml
@@ -0,0 +1,13 @@
+
+
+
+
+
+ Baño Público
+ Baño Privado
+ Zona de Sauna
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/StatDef/Stats_Pawns_General.xml b/1.5/Languages/SpanishLatin/DefInjected/StatDef/Stats_Pawns_General.xml
new file mode 100644
index 0000000..fe92745
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/StatDef/Stats_Pawns_General.xml
@@ -0,0 +1,23 @@
+
+
+
+
+
+ factor de tasa de sed
+ Un multiplicador que determina la rapidez de tener sed.
+
+
+
+ factor de tasa de higiene
+ Un multiplicador que determina la rapidez con la que desciende el nivel de higiene.
+
+
+
+ factor de tasa de vejiga
+ Un multiplicador que determina la rapidez con la que desciende el nivel de vejiga.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/TerrainDef/Buildings5_Floors.xml b/1.5/Languages/SpanishLatin/DefInjected/TerrainDef/Buildings5_Floors.xml
new file mode 100644
index 0000000..8583251
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/TerrainDef/Buildings5_Floors.xml
@@ -0,0 +1,42 @@
+
+
+
+
+
+ azulejo mosaico de acero
+ Azulejos de acero en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de arenisca
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de granito
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de caliza
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de pizarra
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+ losa mosaico de mármol
+ Losas de piedra cuidadosamente cortadas y colocadas en forma de mosaico, elegantes en baños o cocinas.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/TerrainDef/BuildingsC_Joy.xml b/1.5/Languages/SpanishLatin/DefInjected/TerrainDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..1cfdd48
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/TerrainDef/BuildingsC_Joy.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ agua de piscina
+ agua
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingCategoryDef/ThingCategories.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingCategoryDef/ThingCategories.xml
new file mode 100644
index 0000000..a97905b
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingCategoryDef/ThingCategories.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Residuos
+ Higiene
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsA_Pipes.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsA_Pipes.xml
new file mode 100644
index 0000000..b24e99d
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsA_Pipes.xml
@@ -0,0 +1,46 @@
+
+
+
+
+
+
+
+ Tubería
+ Tuberías para conectar los componentes del suministro de agua.
+ Tubería (anteproyecto)
+ Tubería (construcción)
+ Tuberías para conectar los componentes del suministro de agua.
+
+
+
+ Válvula de fontanería
+ Abre o cierra conexiones entre tuberías.
+ Válvula de fontanería (anteproyecto)
+ Válvula de fontanería (anteproyecto)
+ Válvula de fontanería (construcción)
+ Abre o cierra conexiones entre tuberías.
+
+
+
+ Tubo de aire acondicionado
+ Tubo para conectar los módulos de aire acondicionado.
+ Tubo de aire acondicionado (anteproyecto)
+ Tubo de aire acondicionado (construcción)
+ Tubo para conectar los módulos de aire acondicionado.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsB_Hygiene.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsB_Hygiene.xml
new file mode 100644
index 0000000..870b6bc
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsB_Hygiene.xml
@@ -0,0 +1,252 @@
+
+
+
+
+
+ Separador de inodoro
+ Panel delgado que bloquea la línea de visión entre las personas que utilizan los baños otorgando mayor privacidad. No crea nuevas habitaciones ni evita la pérdida de calor.
+ Separador de inodoro (anteproyecto)
+ Separador de inodoro (construcción)
+ Panel delgado que bloquea la línea de visión entre las personas que utilizan los baños otorgando mayor privacidad. No crea nuevas habitaciones ni evita la pérdida de calor.
+
+
+
+
+
+
+ Letrina
+ Una letrina de hoyo es un tipo de letrina que acumula el excremento humano en un hoyo en el suelo. Debe vaciarse manualmente o puede conectarse a la red de tuberías.\nGasta 14L por cada uso.
+ Letrina (anteproyecto)
+ Letrina (anteproyecto)
+ Letrina (construcción)
+ Una letrina de hoyo es un tipo de letrina que acumula el excremento humano en un hoyo en el suelo. Debe vaciarse manualmente o puede conectarse a la red de tuberías.\nGasta 14L por cada uso.
+
+
+
+ Pozo primitivo
+ Permite el acceso a las aguas subterráneas. El agua debe ser transportada a un recipiente antes de ser utilizada para lavar o beber.
+ Pozo primitivo (anteproyecto)
+ Pozo primitivo (construcción)
+ Permite el acceso a las aguas subterráneas. El agua debe ser transportada a un recipiente antes de ser utilizada para lavar o beber.
+
+
+
+ Barreño
+ Barreño de agua que se utiliza para la higiene personal. Debe rellenarse regularmente con agua limpia y se puede llenar con agua de lluvia.\nTambién se puede utilizar para beber si se habilita la sed.
+ Barreño (anteproyecto)
+ Barreño (anteproyecto)
+ Barreño (construcción)
+ Barreño de agua que se utiliza para la higiene personal. Debe rellenarse regularmente con agua limpia y se puede llenar con agua de lluvia.\nTambién se puede utilizar para beber si se habilita la sed.
+
+
+
+ Bebedero
+ Bebedero de agua utilizado por los animales, se rellena automáticamente cuando el nivel del agua es bajo mediante una válvula de bola.\nLa lluvia también puede rellenar de agua el bebedero.
+ Bebedero (anteproyecto)
+ Bebedero (anteproyecto)
+ Bebedero (construcción)
+ Bebedero de agua utilizado por los animales, se rellena automáticamente cuando el nivel del agua es bajo mediante una válvula de bola.\nLa lluvia también puede rellenar de agua el bebedero.
+
+
+
+ Cuenco de agua
+ Cuenco de agua utilizado por los animales domésticos.
+ Cuenco de agua (anteproyecto)
+ Cuenco de agua (anteproyecto)
+ Cuenco de agua (construcción)
+ Cuenco de agua utilizado por los animales domésticos.
+
+
+
+ Caja de arena
+ Una caja de arena para interiores, donde los animales pequeños depositan sus heces y orina.
+ Caja de arena (anteproyecto)
+ Caja de arena (anteproyecto)
+ Caja de arena (construcción)
+ Una caja de arena para interiores, donde los animales pequeños depositan sus heces y orina.
+
+
+
+ Foso de incineración
+ Elimina los residuos fecales quemándolos como combustible. También puede utilizarse para eliminar cadáveres u otros desechos.\nEstar demasiado tiempo cerca de los residuos quemados puede ser perjudicial para la salud.
+ Fosa de incineración (anteproyecto)
+ Fosa de incineración (construcción)
+ Elimina los residuos fecales quemándolos como combustible. También puede utilizarse para eliminar cadáveres u otros desechos.\nEstar demasiado tiempo cerca de los residuos quemados puede ser perjudicial para la salud.
+
+
+
+
+
+
+ Lavabo
+ Lavabo limpio y sencillo para asearse y mantener las manos limpias después de ir al baño.
+ Lavabo (anteproyecto)
+ Lavabo (anteproyecto)
+ Lavabo (construcción)
+ Lavabo limpio y sencillo para asearse y mantener las manos limpias después de ir al baño.
+
+
+
+ Fuente
+ Una fuente de agua utilizada para beber y lavarse.
+ Fuente (anteproyecto)
+ Fuente (anteproyecto)
+ Fuente (construcción)
+ Una fuente de agua utilizada para beber y lavarse.
+
+
+
+ Fregadero de cocina
+ Fregadero de cocina. Aumenta la limpieza de la habitación.
+ Fregadero de cocina (anteproyecto)
+ Fregadero de cocina (anteproyecto)
+ Fregadero de cocina (construcción)
+ Fregadero de cocina. Aumenta la limpieza de la habitación.
+
+
+
+
+
+
+ Inodoro
+ Aparato sanitario utilizado para recoger y evacuar los excrementos sólidos y líquidos de las personas hacia una instalación de saneamiento que impide, mediante un sistema de sifón de agua limpia, la salida de los olores desagradables de la cloaca o alcantarillado hacia los espacios habitados.\n14L por cada uso.
+ Inodoro (anteproyecto)
+ Inodoro (anteproyecto)
+ Inodoro (construcción)
+ Aparato sanitario utilizado para recoger y evacuar los excrementos sólidos y líquidos de las personas hacia una instalación de saneamiento que impide, mediante un sistema de sifón de agua limpia, la salida de los olores desagradables de la cloaca o alcantarillado hacia los espacios habitados.\n14L por cada uso.
+
+ Inodoro inteligente
+ Inodoro inteligente cómodo, autolimpiable, desatascable y súper eficiente. Proporciona una experiencia multifuncional óptima con limpieza y desodorización automática.\n7L por cada uso.
+ Inodoro inteligent (anteproyecto)
+ Inodoro inteligent (anteproyecto)
+ Inodoro inteligent (construcción)
+ Inodoro inteligente cómodo, autolimpiable, desatascable y súper eficiente. Proporciona una experiencia multifuncional óptima con limpieza y desodorización automática.\n7L por cada uso.
+
+
+
+
+
+
+ Alfombra de baño
+ Una pequeña alfombra que se utiliza junto a la bañera para absorber el agua.
+ Alfombra de baño (anteproyecto)
+ Alfombra de baño (anteproyecto)
+ Alfombra de baño (construcción)
+ Una pequeña alfombra que se utiliza junto a la bañera para absorber el agua.
+
+ Bañera
+ Lento de usar, pero muy cómodo. Se puede calentar colocando una hoguera o una caldera de leña adyacente, o mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n190L por cada lavado.
+ Bañera (anteproyecto)
+ Bañera (anteproyecto)
+ Bañera (construcción)
+ Lento de usar, pero muy cómodo. Se puede calentar colocando una hoguera o una caldera de leña adyacente, o mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n190L por cada lavado.
+
+
+
+
+
+
+ Ducha
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+ Ducha (anteproyecto)
+ Ducha (anteproyecto)
+ Ducha (construcción)
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+
+
+
+ Ducha simple
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+ Ducha simple (anteproyecto)
+ Ducha simple (anteproyecto)
+ Ducha simple (construcción)
+ Ducha simple. Requiere agua de las torres de agua. Se puede calentar mediante depósitos de agua caliente conectados. No requiere una salida de aguas residuales.\n65L por cada lavado.
+
+
+
+ Ducha eléctrica
+ Calienta el agua según la demanda y no necesita un depósito de agua caliente y consigue limpiar el doble de rápido.\n90 litros por cada lavado.
+ Ducha eléctrica (anteproyecto)
+ Ducha eléctrica (anteproyecto)
+ Ducha eléctrica (construcción)
+ Calienta el agua según la demanda y no necesita un depósito de agua caliente y consigue limpiar el doble de rápido.\n90 litros por cada lavado.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsC_Joy.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsC_Joy.xml
new file mode 100644
index 0000000..b174e83
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsC_Joy.xml
@@ -0,0 +1,79 @@
+
+
+
+
+
+ Piscina
+ Piscina utilizada para tratamientos de hidroterapia, relajación o placer. Debe llenarse primero con agua procedente de las torres de agua.
+ Piscina (anteproyecto)
+ Piscina (construcción)
+ Piscina utilizada para tratamientos de hidroterapia, relajación o placer. Debe llenarse primero con agua procedente de las torres de agua.
+
+
+
+ Jacuzzi
+ Bañera de hidromasaje utilizada para tratamientos de hidroterapia, relajación o placer. Se llena con agua procedente de las torres de agua en su primer uso. Se autocalienta y no requiere una salida de aguas residuales.
+ Jacuzzi(plano)
+ Tina caliente(plano)
+ Jacuzzi(construcción)
+ Bañera de hidromasaje utilizada para tratamientos de hidroterapia, relajación o placer. Se llena con agua procedente de las torres de agua en su primer uso. Se autocalienta y no requiere una salida de aguas residuales.
+
+
+
+ Lavadora
+ Lava la ropa tan bien que ni siquiera puedes decir que alguien murió usándola
+ Lavadora (anteproyecto)
+ Lavadora (anteproyecto)
+ Lavadora (construcción)
+ Lava la ropa tan bien que ni siquiera puedes decir que alguien murió usándola
+
+
+
+ Sauna
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+ Sauna (anteproyecto)
+ Sauna (anteproyecto)
+ Sauna (construcción)
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+
+
+
+ Sauna eléctrica
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+ Sauna eléctrica (anteproyecto)
+ Sauna eléctrica (anteproyecto)
+ Sauna eléctrica (construcción)
+ Un calentador diseñado específicamente para crear una sala de sauna. El uso regular de la sauna, reduce el riesgo de ataques al corazón.\nCalienta una habitación a 60ºC.
+
+ Asientos para la sauna
+ Asientos de rejilla para salas de sauna.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsD_WaterManagement.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
new file mode 100644
index 0000000..6a60871
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsD_WaterManagement.xml
@@ -0,0 +1,80 @@
+
+
+
+
+
+ Pozo de agua
+ Permite el acceso a las aguas subterráneas de las que se puede extraer el agua mediante la utilización de bombas de agua. La presencia de aguas residuales u otro tipo de impurezas reducirá la calidad del agua e incluso podría contaminarla.
+ Pozo de agua (anteproyecto)
+ Pozo de agua (construcción)
+ Permite el acceso a las aguas subterráneas de las que se puede extraer el agua mediante la utilización de bombas de agua. La presencia de aguas residuales u otro tipo de impurezas reducirá la calidad del agua e incluso podría contaminarla.
+
+ Pozo de agua profundo
+ Permite el acceso a una gran superficie de agua subterránea de la que se puede extraer agua mediante el sistema de bombeo. Los pozos profundos no se ven afectados por la contaminación.
+ Pozo de agua profundo (anteproyecto)
+ Pozo de agua profundo (construcción)
+ Permite el acceso a una gran superficie de agua subterránea de la que se puede extraer agua mediante el sistema de bombeo. Los pozos profundos no se ven afectados por la contaminación.
+
+ Depósito de agua
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, el depósito debe ser vaciado.
+ Depósito de agua (anteproyecto)
+ Depósito de agua (anteproyecto)
+ Depósito de agua (construcción)
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, el depósito debe ser vaciado.
+
+ Torre de agua
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+ Torre de agua (anteproyecto)
+ Torre de agua (construcción)
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+
+ Torre de agua grande
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+ Torre de agua grande (anteproyecto)
+ Torre de agua grande (construcción)
+ Almacena el agua para ser utilizada por las instalaciones de fontanería. Si el agua contenida se contamina, la torre de agua debe ser vaciada.
+
+ Bomba de agua eólica
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 3000 L/día.
+ Bomba de agua eólica (anteproyecto)
+ Bomba de agua eólica (construcción)
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 3000 L/día.
+
+ Bomba de agua eléctrica
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 1500 L/día.
+ Bomba de agua eléctrica (anteproyecto)
+ Bomba de agua eléctrica (anteproyecto)
+ Bomba de agua eléctrica (construcción)
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 1500 L/día.
+
+ Estación de bombeo
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 10000 L/día.
+ Estación de bombeo (anteproyecto)
+ Estación de bombeo (construcción)
+ Bombea agua de los pozos a las torres de agua. Capacidad de bombeo: 10000 L/día.
+
+ Salida de aguas residuales
+ Puede colocarse en cualquier lugar. Las aguas residuales pueden acumularse y esparcirse por el terreno o por el agua.\nLas aguas residuales se limpian a lo largo del tiempo y la presencia de árboles, agua o lluvia pueden acelerar este proceso.
+ Salida de aguas residuales (anteproyecto)
+ Salida de aguas residuales (construcción)
+ Puede colocarse en cualquier lugar. Las aguas residuales pueden acumularse y esparcirse por el terreno o por el agua.\nLas aguas residuales se limpian a lo largo del tiempo y la presencia de árboles, agua o lluvia pueden acelerar este proceso.
+
+ Fosa séptica
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Las aguas residuales se dirigen primero a las fosas sépticas. Si alcanza su capacidad máxima, el exceso de aguas residuales se expulsa por los desagües.
+ Fosa séptica (anteproyecto)
+ Fosa séptica (construcción)
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Las aguas residuales se dirigen primero a las fosas sépticas. Si alcanza su capacidad máxima, el exceso de aguas residuales se expulsa por los desagües.
+
+ Depuración de aguas residuales
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Si alcanza su capacidad máxima, el exceso de aguas residuales se envía directamente a los desagües sin tratamiento.
+ Depuración de aguas residuales (anteproyecto)
+ Depuración de aguas residuales (construcción)
+ Limpia lentamente las aguas residuales conforme pasa el tiempo. Si alcanza su capacidad máxima, el exceso de aguas residuales se envía directamente a los desagües sin tratamiento.
+
+ Tratamiento del agua
+ ¡Elimina el 99.99% de los gérmenes! Filtra el agua existente en los depósitos de almacenamiento y en las instalaciones, eliminando el riesgo de enfermedades.
+ Tratamiento del agua (anteproyecto)
+ Tratamiento del agua (construcción)
+ ¡Elimina el 99.99% de los gérmenes! Filtra el agua existente en los depósitos de almacenamiento y en las instalaciones, eliminando el riesgo de enfermedades.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsE_Heating.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsE_Heating.xml
new file mode 100644
index 0000000..39b9853
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsE_Heating.xml
@@ -0,0 +1,131 @@
+
+
+
+
+
+ Termostato
+ Se utiliza para controlar las calderas eléctricas y de gas. Puede colocarse más de una y se conecta a través de la fontanería.
+ Termostato (anteproyecto)
+ Termostato (anteproyecto)
+ Termostato (construcción)
+ Se utiliza para controlar las calderas eléctricas y de gas. Puede colocarse más de una y se conecta a través de la fontanería.
+
+ Caldera de leña
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nPermite calentar las habitaciones y los baños adyacentes.\nRequiere el uso de madera como combustible.
+ Caldera de leña (anteproyecto)
+ Caldera de leña (anteproyecto)
+ Caldera de leña (construcción)
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nPermite calentar las habitaciones y los baños adyacentes.\nRequiere el uso de madera como combustible.
+ Modo Potencia
+
+ Caldera de gas
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nRequiere de biocombustible para funcionar.\nPuede controlarse utilizando un termostato.
+ Caldera de gas (anteproyecto)
+ Caldera de gas (anteproyecto)
+ Caldera de gas (construcción)
+ Proporciona calor a los radiadores y a los depósitos de agua caliente.\nRequiere de biocombustible para funcionar.\nPuede controlarse utilizando un termostato.
+ Modo Potencia
+
+ Caldera eléctrica
+ Proporciona una cantidad variable de calor para radiadores y depósitos de agua caliente. Ajuste de potencia controlado manualmente.\nPuede ser controlado con termostatos.
+ Caldera eléctrica (anteproyecto)
+ Caldera eléctrica (anteproyecto)
+ Caldera eléctrica (construcción)
+ Proporciona una cantidad variable de calor para radiadores y depósitos de agua caliente. Ajuste de potencia controlado manualmente.\nPuede ser controlado con termostatos.
+ Modo Potencia
+
+ Calentador solar
+ Utiliza la luz solar para calentar los depósitos de agua caliente y los radiadores. 0-2000 unidades de potencia calorífica en función del nivel de luz y la temperatura ambiente.
+ Calentador solar (anteproyecto)
+ Calentador solar (construcción)
+ Utiliza la luz solar para calentar los depósitos de agua caliente y los radiadores. 0-2000 unidades de potencia calorífica en función del nivel de luz y la temperatura ambiente.
+ Modo Potencia
+
+ Calentador geotérmico
+ Utiliza el calor geotérmico para calentar los depósitos de agua caliente y los radiadores.
+ Calentador geotérmico (anteproyecto)
+ Calentador geotérmico (construcción)
+ Utiliza el calor geotérmico para calentar los depósitos de agua caliente y los radiadores.
+ Modo Potencia
+
+ Depósito de agua caliente
+ Almacena agua caliente para duchas y baños. Se conecta a cualquier caldera o calentador que lo permita.
+ Depósito de agua caliente (anteproyecto)
+ Depósito de agua caliente (anteproyecto)
+ Depósito de agua caliente (construcción)
+ Almacena agua caliente para duchas y baños. Se conecta a cualquier caldera o calentador que lo permita.
+
+ Radiador
+ Calienta las habitaciones utilizando el agua caliente de las calderas. Requiere 100 unidades de calor.
+ Radiador (anteproyecto)
+ Radiador (anteproyecto)
+ Radiador (construcción)
+ Calienta las habitaciones utilizando el agua caliente de las calderas. Requiere 100 unidades de calor.
+
+ Radiador grande
+ Triplica la potencia de un radiador estándar, útil para habitaciones más grandes. Requiere 300 unidades de calor.
+ Radiador grande (anteproyecto)
+ Radiador grande (anteproyecto)
+ Radiador grande (construcción)
+ Triplica la potencia de un radiador estándar, útil para habitaciones más grandes. Requiere 300 unidades de calor.
+
+ Toallero
+ Impresionante toallero de baño.
+ Toallero (anteproyecto)
+ Toallero (anteproyecto)
+ Toallero (construcción)
+ Impresionante toallero de baño.
+
+
+
+
+ Ventilador de techo 2x2
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 2x2 (anteproyecto)
+ Ventilador de techo 2x2 (anteproyecto)
+ Ventilador de techo 2x2 (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Ventilador de techo 1x1
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 1x1 (anteproyecto)
+ Ventilador de techo 1x1 (anteproyecto)
+ Ventilador de techo 1x1 (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Ventilador de techo 2x2 (luz oscura)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 2x2 (luz oscura) (anteproyecto)
+ Ventilador de techo 2x2 (luz oscura) (anteproyecto)
+ Ventilador de techo 2x2 (luz oscura) (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Ventilador de techo 1x1 (luz oscura)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+ Ventilador de techo 1x1 (luz oscura) (anteproyecto)
+ Ventilador de techo 1x1 (luz oscura) (anteproyecto)
+ Ventilador de techo 1x1 (luz oscura) (construcción)
+ Enfría una habitación haciendo circular el aire. Lleva una lámpara incorporada.
+
+ Aire Acondicionado - Módulo Exterior
+ Módulo exterior de aire acondicionado multisplit. Se coloca en el exterior y se conecta a los módulos interiores o a los módulos de congelación. Permite seleccionar el modo de potencia con una capacidad de 100-1000 unidades de refrigeración.
+ Aire Acondicionado - Módulo Exterior (anteproyecto)
+ Aire Acondicionado - Módulo Exterior (anteproyecto)
+ Aire Acondicionado - Módulo Exterior (construcción)
+ Módulo exterior de aire acondicionado multisplit. Se coloca en el exterior y se conecta a los módulos interiores o a los módulos de congelación. Permite seleccionar el modo de potencia con una capacidad de 100-1000 unidades de refrigeración.
+
+ Aire Acondicionado - Módulo Interior
+ Módulo interior de aire acondicionado interior para habitaciones. Se conecta a los módulos de aire acondicionado exteriores. Requiere 100 unidades de refrigeración.
+ Aire Acondicionado - Módulo Interior (anteproyecto)
+ Aire Acondicionado - Módulo Interior (anteproyecto)
+ Aire Acondicionado - Módulo Interior (construcción)
+ Módulo interior de aire acondicionado interior para habitaciones. Se conecta a los módulos de aire acondicionado exteriores. Requiere 100 unidades de refrigeración.
+
+ Módulo de Congelación
+ Módulo de congelación conectado a los módulos exteriores de aire acondicionado. Requiere 300 unidades de refrigeración.
+ Módulo de Congelación (anteproyecto)
+ Módulo de Congelación (anteproyecto)
+ Módulo de Congelación (construcción)
+ Módulo de congelación conectado a los módulos exteriores de aire acondicionado. Requiere 300 unidades de refrigeración.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsF_Irrigation.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsF_Irrigation.xml
new file mode 100644
index 0000000..1a63dbe
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/BuildingsF_Irrigation.xml
@@ -0,0 +1,29 @@
+
+
+
+
+
+ Aspersor de riego
+ Riega los alrededores una vez cada mañana para mejorar la fertilidad del terreno a lo largo del día. Utiliza 1000L cada mañana en el radio máximo.
+ Aspersor de riego (anteproyecto)
+ Aspersor de riego (anteproyecto)
+ Aspersor de riego (construcción)
+ Riega los alrededores una vez cada mañana para mejorar la fertilidad del terreno a lo largo del día. Utiliza 1000L cada mañana en el radio máximo.
+
+ Rociador contra incendios
+ Se activa por la presencia de fuego o por altas temperaturas. Apaga las llamas con un chorro de agua.
+ Disparador del rociador
+ Rociador contra incendios (anteproyecto)
+ Rociador contra incendios (anteproyecto)
+ Rociador contra incendios (construcción)
+ Se activa por la presencia de fuego o por altas temperaturas. Apaga las llamas con un chorro de agua.
+
+ Compostador de biosólidos
+ Un compostador para convertir las aguas residuales y los residuos fecales en fertilizante con el fin de mejorar la fertilidad del terreno.
+ Compostador de biosólidos (anteproyecto)
+ Compostador de biosólidos (anteproyecto)
+ Compostador de biosólidos (construcción)
+ Un compostador para convertir las aguas residuales y los residuos fecales en fertilizante con el fin de mejorar la fertilidad del terreno.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Filth_Various.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Filth_Various.xml
new file mode 100644
index 0000000..731838f
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Filth_Various.xml
@@ -0,0 +1,17 @@
+
+
+
+
+
+ orina
+ Orina en el suelo.
+
+ heces
+ residuos sin tratar
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
new file mode 100644
index 0000000..c83d0f2
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Hediffs_Hygiene_Bionics.xml
@@ -0,0 +1,17 @@
+
+
+
+
+
+ vejiga biónica
+ Una vejiga artificial avanzada. Un sistema de reciclaje químico descompone las sustancias de desecho del cuerpo en moléculas para ser recicladas dejando el resto en estado gaseoso, con el inconveniente de provocar gases al usuario.
+
+
+
+ amplificador higiénico
+ Libera mecanitas que descomponen las células muertas de la piel y cabello liberándolos inofensivamente en el aire.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Items_Resource_Stuff.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Items_Resource_Stuff.xml
new file mode 100644
index 0000000..ad2cb64
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/Items_Resource_Stuff.xml
@@ -0,0 +1,34 @@
+
+
+
+
+
+ Orinal
+ Recipiente utilizado por un paciente encamado para depositar la orina y las heces.
+
+
+
+ Biosólidos
+ Al tratar y procesar adecuadamente las aguas residuales o los residuos fecales, estos se convierten en biosólidos capaces de propocionar un ligero aumento a la fertilidad del terreno.\nEs útil en entornos con poco espacio disponible para el cultivo.\nLos biosólidos también producen un importante aumento a la fertilidad en terrenos arenosos cuando se combinan con el riego
+
+
+
+ Residuos fecales
+ Los residuos fecales pueden ser trasladados, volcados, quemados o procesados como biosólidos o combustible.
+
+
+
+
+
+ Agua
+ Una botella de agua.
+ Beber {0}
+ Bebiendo {0}.
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThingDef/_Things_Mote.xml b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/_Things_Mote.xml
new file mode 100644
index 0000000..c638a31
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThingDef/_Things_Mote.xml
@@ -0,0 +1,11 @@
+
+
+
+
+
+ Mote
+ Mote
+ Mote
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml b/1.5/Languages/SpanishLatin/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
new file mode 100644
index 0000000..4862564
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThoughtDef/Thoughts_Memory_Hygiene.xml
@@ -0,0 +1,63 @@
+
+
+
+ Bebió agua refrescante
+ Bebió agua limpia y refrescante.
+
+ Bebió agua sucia
+ Bebió de una botella con agua contaminada.
+
+ Bebió orina
+ Bebí mi propia orina.
+
+ Sintió vergüenza
+ Alguien me vio bañándome y me incomodó.
+
+ Sintió vergüenza
+ ¡Alguien entró mientras estaba usando el inodoro!
+
+ Me cagué encima
+ No pude aguantar más y me cagué encima.
+
+ Ducha caliente
+ Me he dado una buena ducha caliente.
+
+ Piscina climatizada
+ La piscina climatizada fue muy relajante.
+
+ Baño caliente
+ Me he dado un buen baño caliente.
+
+ Baño frío
+ Me he dado un buen baño frío y refrescante.
+
+ Ducha fría
+ Tuve una agradable y refrescante ducha fría.
+
+ Agua fría
+ ¡No había agua caliente!
+
+ Me he aliviado
+ Mmmmm mucho mejor ahora.
+
+ He cagado al aire libre
+ Tuve que hacer mis necesidades al aire libre.
+
+ Baño horrible
+ Mi baño es un lugar horrible.
+ Baño decente
+ Mi baño es interesante, no está nada mal.
+ Baño hermoso
+ Mi baño es hermoso, me gusta.
+ Baño precioso
+ Mi baño es precioso, me gusta mucho.
+ Baño impresionante
+ Mi baño es impresionante, ¡me encanta!
+ Baño muy impresionante
+ Mi baño es muy impresionante, ¡me encanta!
+ Baño de lujo
+ Mi baño es tan lujoso que parece el baño de un rey, ¡me encanta estar aquí!
+ Baño maravilloso
+ Mi baño es tan maravilloso que la gente pagaría por verlo. ¡Este es el mejor lugar del mundo!
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml b/1.5/Languages/SpanishLatin/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
new file mode 100644
index 0000000..7d732bb
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/ThoughtDef/Thoughts_Situation_Needs.xml
@@ -0,0 +1,19 @@
+
+
+
+ Sucio
+ Huelo como si hubiera estado nadando en aguas residuales.
+ Mugriento
+ Me siento un poco suci{PAWN_gender ? o : a}.
+ Limpio
+ Me siento {PAWN_gender ? fresco y limpio : fresca y limpia}.
+ Impoluto
+ Más limpi{PAWN_gender ? o : a} no se puede estar.
+
+ Voy a explotar
+ ¡Necesito ir al baño, estoy a punto de explotar!
+ necesito ir al baño
+ Tengo que ir al baño.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/TraitDef/Traits_Spectrum.xml b/1.5/Languages/SpanishLatin/DefInjected/TraitDef/Traits_Spectrum.xml
new file mode 100644
index 0000000..6c0002c
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/TraitDef/Traits_Spectrum.xml
@@ -0,0 +1,23 @@
+
+
+
+
+
+ Germofobia
+ [PAWN_nameDef] está obsesionad{PAWN_gender ? o : a} con los gérmenes y necesita ir a lavarse con más frecuencia.
+ Higiénico
+ [PAWN_nameDef] esta obsesionad{PAWN_gender ? o : a} con la higiene y necesita ir a lavarse con más frecuencia.
+ Antihigiénico
+ [PAWN_nameDef] no se preocupa mucho por su higiene y suele escaquearse más de lo normal a la hora de lavarse.
+ Guarro
+ [PAWN_nameDef] tiene un concepto de limpieza inaudito, ¡no toca el agua ni con un palo! y sólo se lava cuando es absolutamente necesario.
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/WorkGiverDef/WorkGivers.xml b/1.5/Languages/SpanishLatin/DefInjected/WorkGiverDef/WorkGivers.xml
new file mode 100644
index 0000000..e6d6ce6
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/WorkGiverDef/WorkGivers.xml
@@ -0,0 +1,76 @@
+
+
+
+
+
+ fertilizar
+ fertilizar
+ fertilizando
+
+
+
+ volcar residuos
+ volcar residuos
+ volcando residuos
+
+
+
+ drenar depósito
+ drenar depósito
+ drenando depósito
+
+
+
+ servir bebida
+ servir bebida
+ sirviendo bebida
+
+
+
+ servir bebida
+ servir bebida
+ sirviendo bebida
+
+
+
+ limpiar obstrucción
+ limpiar obstrucción
+ limpiando obstrucción
+
+
+
+ lavar al paciente
+ lavar al paciente
+ lavando al paciente
+
+
+
+ limpiar orinal
+ limpiar orinal
+ limpiando orinal
+
+
+
+ limpiar orinal
+ limpiar
+ limpiando
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/DefInjected/WorkGiverDef/WorkGiversHauling.xml b/1.5/Languages/SpanishLatin/DefInjected/WorkGiverDef/WorkGiversHauling.xml
new file mode 100644
index 0000000..bacc437
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/DefInjected/WorkGiverDef/WorkGiversHauling.xml
@@ -0,0 +1,93 @@
+
+
+
+
+
+ quemar desechos del foso
+ quemar
+ quemando
+
+
+
+ depositar residuos en barriles
+ eliminar residuos
+ eliminando residuos
+
+
+
+ sacar la colada
+ sacar la colada
+ sacando la colada
+
+
+
+ cargar lavadora
+ cargar lavadora
+ cargando la lavadora
+
+
+
+ sacar compostaje del compostador
+ sacar compostaje
+ sacando compostaje del compostador
+
+
+
+ llenar el compostador
+ llenar
+ llenando el compostador
+
+
+
+ vaciar fosa séptica
+ vaciar
+ vaciando
+
+
+
+ vaciar fosa séptica
+ vaciar
+ vaciando
+
+
+
+ rellenar de agua
+ rellenar
+ rellenando
+
+
+
+ rellenar de agua
+ rellenar
+ rellenando
+
+
+
+ limpiar suciedad del interior
+ limpiar
+ limpiando
+
+
+
\ No newline at end of file
diff --git a/1.5/Languages/SpanishLatin/Keyed/DubsHygiene.xml b/1.5/Languages/SpanishLatin/Keyed/DubsHygiene.xml
new file mode 100644
index 0000000..7026331
--- /dev/null
+++ b/1.5/Languages/SpanishLatin/Keyed/DubsHygiene.xml
@@ -0,0 +1,260 @@
+
+
+
+
+ Retirar tuberías
+ Designar secciones de un tipo de tubería para su deconstrucción.
+ Retirar las aguas residuales
+ Retirar las aguas residuales del suelo y verterlas en barriles.
+ Retirar fontanería
+ Retirar aire acondicionado
+
+
+ ¡La habitación es demasiado grande para calentar!\nUn máximo de 50 celdas por radiador.\nAñadir más radiadores para la sauna o reducir el tamaño de la sala.
+ La piscina está caliente
+ Ahora no se puede utilizar la piscina:
+ Lloviendo
+ {0} demasiado fría
+ La prisión necesita un suministro de agua
+ Una celda de la prisión no tiene acceso de agua potable, construya al menos una fuente de agua potable, como una bañera o lavabo para que los presos tengan libre acceso al agua potable.
+ No hay una torre de agua disponible
+ Se requiere una torre o depósito para almacenar el agua bombeada de los pozos
+ No hay un pozo disponible
+ Las bombas de agua requieren de un pozo conectado a la red de tuberías para acceder a las aguas subterráneas.
+ No hay una bomba de agua disponible
+ Se necesita una bomba de agua para bombear el agua de un pozo a una torre de agua
+ Contaminación del agua por la lluvia radiactiva
+ Después de 2 días de lluvia tóxica, la acumulación contaminará cualquier tanque de almacenamiento de agua conectado a los pozos de agua.\n\nPrepárate creando una reserva de agua que te permita desconectar con una válvula los pozos para proteger el agua de la contaminación antes de que sea demasiado tarde.\n\nTambién puedes utilizar un pozo profundo para acceder al agua no contaminada, o instalar un sistema de tratamiento del agua que elimine toda la contaminación de las reservas de agua.
+
+ Baja capacidad de refrigeración, puede aumentar la potencia de los módulos exteriores
+ Acceso Restringido
+ Solo {0}
+ Sólo prisioneros
+ Salida de desagüe obstruida
+ Las aguas residuales se han acumulado alrededor del orificio de drenaje y están bloqueando la salida.\n\nConstruye más salidas o añade una fosa séptica para compensar y reducir la presión sobre las salidas.
+ Baja temperatura del agua
+ La temperatura del agua en este depósito es demasiado baja, los colonos que esperan utilizar agua caliente pueden molestarse.\n\nEnciende las calderas, aumenta la capacidad de calentamiento o añade otro depósito de agua caliente.
+ Debe ser colocado sobre una celda con agua subterránea.
+ El aparato debe estar dentro de una habitación que lo limite.
+ Requiere una torre de almacenamiento de agua
+ La asignación requiere la necesidad de orinar, {0} no la tiene
+
+ No hay material de compostaje
+ Sin capacidad de agua
+ Sin capacidad de desagüe
+ Requiere un sistema de saneamiento
+ Acceso Restringido
+
+ Demasiado caliente: {0}%
+ Con lluvia: {0}%
+ Esfuerzos: x{0}
+ Habitación: x{0}
+ Total: x{0}
+ Manos sucias (Riesgo de enfermedad)
+
+ Desagüe obstruido
+ Un desagüe se ha obstruido, necesita limpieza.
+
+ Agua contaminada
+ Se ha contaminado el agua de un pozo.\n\nSoluciones anti-contaminación:\n{0} \n\nDesplazar el pozo a una zona con aguas subterráneas limpias o añadir un sistema de tratamiento del agua (depuradora) para limpiar toda la red de saneamiento.
+ Torre de agua contaminada
+ Una torre de agua se ha contaminado, lo que supone un grave riesgo para la salud de los colonos.\nPara tratar la contaminación necesitas drenar todo el agua almacenada en la torre o instalar un sistema de tratamiento del agua (depuradora).
+
+ {0} ha contraído {1} por falta de higiene
+ {0} ha contraído {1} por ingerir agua no potable
+ {0} ha contraído {1} por beber agua contaminada
+
+
+ Cambiar la restricción de género
+ Médico
+ Utensilio exclusivo para pacientes.
+ Sólo pacientes
+ Helicóptero de ataque
+ Unisex
+ Conectar cama
+ Conecta los accesorios a una cama cercana para que hereden la propiedad. Mantener la tecla mayúscula para asignar varias camas.
+ Eliminar conexiones con la cama
+ Eliminar la conexión de los accesorios con las camas.
+ Sólo animales
+ Verificar Ocupación
+ Los colonos deben comprobar si algo en la habitación está reservado antes de intentar utilizar el aparato, evita que los colonos se crucen para utilizar lavabos e inodoros al mismo tiempo.
+ Colonistas
+ Esclavos
+ Invitados
+ Prohibido Colonos
+ Prohibido Esclavos
+ Prohibido Invitados
+
+
+
+ Temperatura del agua: {0}
+ Calefacción demanda/capacidad: {0} / {1} U ({2})
+ Refrigeración demanda/capacidad: {0} / {1} U ({2})
+ Consumo de calefacción: {0} U
+ Consumo de refrigeración: {0} U
+ Calefacción unidades/potencia: {0} U / {1} W
+ Refrigeración unidades/potencia: {0} U / {1} W
+ Eficiencia: {0}
+ Eficiencia: {0} sobrecalentamiento
+ Temperatura mínima: {0}
+ Bajar potencia
+ Reducir la capacidad térmica.
+ Aumentar potencia
+ Aumentar la capacidad térmica
+ Capacidad de agua caliente: {0}
+ Desactivar termostato
+ Forzar el funcionamiento continuo de la caldera
+ ¡Las rejillas de ventilación deben mantenerse despejadas!
+ Demasiado frío
+ Con tejado
+ Eficiencia térmica: {0} U ({1})
+ Temperatura del radiador: {0}
+ Termostato desactivado por los depósitos de agua caliente.\nAjustar todos los depósitos de agua caliente conectados y activar el modo termostato.
+ Control del termostato
+ Enciende las calderas durante 1 hora cuando la temperatura del depósito esté baja.\nSi se desactiva, las calderas funcionarán continuamente e ignorarán los termostatos de las habitaciones.
+
+
+ Lavarse las manos
+ Lavar
+ Usar
+ Consumo = {0}
+ Será la fontanería
+ Drenaje obstruido
+ Vaciar letrina
+ Centrifugando...
+ Descargar ahora
+ Cargar: {0}/{1}
+ No hay ropa sucia
+ No hay espacio
+ No hay fuentes de agua de máxima calidad disponibles.
+
+
+ Flujo de agua +50L
+ Flujo de agua -50L
+ Tasa de llenado: {0}L/h
+ Beber
+ Válvula
+ Alternar la válvula entre abierta/cerrada.
+ Válvula cerrada
+
+ Capacidad de bombeo: {0} L/día
+ Capacidad subterránea: {0} L/día
+ Capacidad de bombeo/subterránea: {0}/{1} L/día ({2})
+
+ Agua almacenada: {0}L
+ Almacenaje de agua total: {0} L
+
+ Nivel de contaminación: {0}
+
+ Disminuir el radio
+ Aumentar el radio
+ Calidad del Agua: No potable (pequeño riesgo de enfermedad)
+ Calidad del Agua: Contaminada (alto riesgo de enfermedad)
+ Calidad del Agua: Tratada (segura)
+
+ Drenar el depósito
+ Drenar el depósito y eliminar la contaminación.
+
+ Valor del agua: {0} por {1}L
+ Agua
+
+ Se superpone con {0} pozos
+
+
+ Aguas residuales {0}
+ Drenaje
+ Establecer el nivel a partir del cual los residuos fecales deben vaciarse y depositarse en barriles.\nLos residuos fecales pueden ser trasladados, volcados, quemados o procesados como biosólidos o combustible.
+ Procesando: {0} L/d Almacenando: {1} L ({2})
+ No drenar
+ Drenar depósito con {0}
+
+ Foso: {0}
+ ¡El foso está lleno, vacíalo ahora!
+ Patear
+ Derrama este barril de aguas residuales en el suelo.
+
+
+ Contiene compostaje: {0}/{1} L
+ Contiene residuos fecales: {0}/{1} L
+ Compostado
+ Desarrollo del compostaje: {0} ({1})
+ El compostador no tiene la temperatura ideal
+ Temperatura ideal de compostaje
+ Sembrado en zona de cultivo deshabilitada
+ No se ha encontrado fertilizante
+ Superficie de fertilización
+ Designar áreas para fertilizar con biosólidos.
+ Añadir área
+ Eliminar área
+
+
+ Rango búsqueda de agua para embotellar: {0}
+ Buscar agua para embotellar al tener {0} /uds. llevar hasta {1} /uds en el inventario
+ Reiniciar
+ Priorizar limpieza de interiores
+ Proporciona mayor prioridad al trabajo de limpieza para limpiar primero los interiores.
+ Asistencia para la eliminación del mod
+ Pasos:\n\n1: Guarda tu partida inmediatamente después de pulsar confirmar\n2: Sal al menú principal y desactiva el mod, reinicia el juego\n3: Carga tu partida guardada, ignora cualquier excepción y guárdala de nuevo\n¡Carga la partida guardada una vez más y no debería haber ninguna excepción relacionada con la falta de defs o clases de higiene!
+ Sed en mascotas
+ Las mascotas tienen la necesidad de sed
+ Se requiere reiniciar para añadir la calidad y las complementos artísticos de nuevo.\n\n ¿Reiniciar ahora?
+ Arte y calidad en accesorios
+ Habilitar la calidad y el arte en los accesorios como los inodoros
+ Salir al menú principal para cambiar
+ Soporte para Rimefeller
+ Permitir el uso de agua en las refinerías en Rimefeller
+ Soporte para Rimatomics
+ Permitir el uso de agua en las torres de refrigeración en Rimatomics
+ Desactivar manualmente las necesidades por tipo de cuerpo, raza o hediff (efectos, enfermedades, etc) activo.
+ Filtro de necesidades
+ Desactivar la necesidades de la vejiga
+ Desactivar la necesidad de higiene
+ Necesidades
+ Marcar para activar
+ Prisioneros
+ Establecer si los presos deben tener necesidades.
+ Invitados
+ Establecer si los invitados deben tener necesidades.
+ Privacidad
+ Los colonos se preocupan por la intimidad cuando se bañan o utilizan los inodoros.
+ Eficiencia de refrigeración
+ Establece si la alta temperatura debe afectar a la eficiencia de la refrigeración como en el caso del aire acondicionado estándar.
+ Riego por lluvia
+ La lluvia tendrá el mismo efecto que los aspersores. Podría reducir el rendimiento del juego.
+ Cambiar las necesidades
+ Desactiva las necesidades por completo. Anula todos los demás ajustes.
+ Permitir bebidas modificadas
+ Los colonos también podrán beber y envasar cualquier bebida modificada. Las bebidas del mod VGP y RimCuisine se pueden utilizar por defecto, otras requerirán ser añadidas en los def del mod.
+ Equipar botellas de agua
+ Los colonos incluirán automáticamente botellas de agua en su inventario cuando puedan.\nPuede que no funcione con algunos mods, para CE tendrás que gestionar manualmente tu carga para incluir botellas de agua, de lo contrario las seguirán dejando caer.
+ Filtro de Necesidades
+ Características Principales
+ Características Experimentales
+ Vejigas de mascotas
+ Habilita las necesidades de la vejiga en las mascotas. También añade cajas de arena para las mascotas.
+ Vejigas de animales salvajes
+ Habilitar las necesidades de la vejiga en todos los animales salvajes. Esto podría ser un caos.
+ Necesidad de sed
+ Habilita la necesidad de sed en todos los colonos con necesidades de vejiga. Añade fuentes para beber y botellas de agua. Requiere reiniciar.
+ Fertilizante visible
+ Establece si la cuadrícula del fertilizante debe ser visible.
+ Colonos no humanos
+ Activa las necesidades de los colonos no humanos. Puedes desactivar seres específicos con el filtro de necesidades.
+ Características Extras
+ Lite Mode (versión simplificada)
+ Cambia el mod a un modo simplificado que elimina las tuberías, la gestión del agua y de las aguas residuales, cualquier edificio o trabajo que no esté directamente relacionado con la higiene o la sed.\n\nEsto impedirá que se carguen muchos defs y requiere reiniciar.\n\nSi estás intentando cargar una partida con edificios de higiene existentes puede que tengas que guardar y volver a cargarlo después de activar el nuevo modo.
+ Debe reiniciar el juego para habilitar el modo Lite. Si está intentando cargar un archivo guardado con edificios de higiene existentes, es posible que tenga que guardarlo y volver a cargarlo después de activarlo para eliminar los errores.
+ Refrigeradores pasivos usan agua
+ A los refrigeradores pasivos se les ha quitado la madera como combustible y en su lugar se rellenan con agua.
+ Integración con SoS2
+ Añade el procesamiento de agua y aguas residuales al soporte vital y añade tuberías a las estructuras de las naves.
+ Agua almacenada x{0}
+ Bad Hygiene Wiki
+ Ve a la bad hygiene wiki
+ Modo Supervivencia
+ Limita la generación de la red de agua subterránea por defecto a parches muy pequeños. Las características del terreno ya no generan agua y el radio se reduce.\nNo es necesario crear una nueva partida, funciona con las partidas guardadas existentes.
+ Hidroponía
+ Los edificios de cultivo con energía, como los hidropónicos, tienen tanques de agua que requieren ser llenados por medio de tuberías. Las plantas mueren por falta de agua en lugar de energía, los tanques de agua sólo se llenan cuando el edificio recibe energía.
+ Es necesario reiniciar para añadir y eliminar elementos relacionados con la sed.\n\n¿Reiniciar ahora?
+
+
diff --git a/1.5/Patches/HygienePatches.xml b/1.5/Patches/HygienePatches.xml
new file mode 100644
index 0000000..1e12871
--- /dev/null
+++ b/1.5/Patches/HygienePatches.xml
@@ -0,0 +1,118 @@
+
+
+
+
+
+
+
+ */DesignationCategoryDef[defName = "Temperature"]/specialDesignatorClasses
+
+
+
+
+
+
\ No newline at end of file
diff --git a/About/About.xml b/About/About.xml
index 0d1a683..aecc782 100644
--- a/About/About.xml
+++ b/About/About.xml
@@ -3,6 +3,8 @@
Dubs Bad HygieneDubwise
+ DBH/UI/Logo
+ 3.0.2436https://github.com/Dubwise56/Dubs-Bad-Hygiene/wiki
1.0
@@ -10,6 +12,7 @@
1.2
1.3
1.4
+
1.5
Dubwise.DubsBadHygieneAdds toilets, bathing, sewage, hygiene-related needs and mood effects, central heating, water management and thirst, irrigation, fertilizer, air conditioning, hot tubs, kitchen sinks, and more! Also includes a Lite mode for a simplified experience
diff --git a/Textures/DBH/UI/Logo.png b/Textures/DBH/UI/Logo.png
new file mode 100644
index 0000000..69e104d
Binary files /dev/null and b/Textures/DBH/UI/Logo.png differ